This lesson is still being designed and assembled (Pre-Alpha version)

Text Analysis in Python

Introduction to Natural Language Processing

Overview

Teaching: 15 minutes min
Exercises: 20 minutes min
Questions
  • What is Natural Language Processing?

  • What tasks can be done by Natural Language Processing?

  • What does a workflow for an NLP project look?

Objectives
  • Learn the tasks that NLP can do

  • Use a pretrained chatbot in python

  • Discuss our workflow for performing NLP tasks

Introduction

What is Natural Language Processing?

Text Analysis, also known as Natural Language Processing or NLP, is a subdiscipline of the larger disciplines of machine learning and artificial intelligence.

AI and machine learning both use complex mathematical constructs called models to take data as an input and produce a desired output.

What distinguishes NLP from other types of machine learning is that text and human language is the main input for NLP tasks.

What tasks can NLP do?

There are many models for representing language. The model we chose for our task will depend on what we want the output of our model to do. In other words, our model will vary based on the task we want it to accomplish.

We can think of the various tasks NLP can do as different types of desired outputs, which may require different models depending on the task.

Let’s discuss tasks you may find interesting in more detail. These are not the only tasks NLP can accomplish, but they are frequently of interest for Humanities scholars.

Search attempts to retrieve documents that are similar to a query. In order to do this, there must be some way to compute the similarity between documents. A search query can be thought of as a small input document, and the outputs could be a score of relevant documents stored in the corpus. While we may not be building a search engine, we will find that similarity metrics such as those used in search are important to understanding NLP.

Search and Document Summarization

Topic Modeling

Topic modeling is a type of analysis that attempts to categorize documents into categories. These categories could be human generated labels, or we could ask our model to group together similar texts and create its own labels. For example, the Federalist Papers are a set of 85 essays written by three American Founding Fathers- Alexander Hamilton, James Madison and John Jay. These papers were written under pseudonyms, but many of the papers authors were later identified. One use for topic modelling might be to present a set of papers from each author that are known, and ask our model to label the federalist papers whose authorship is in dispute.

Alternatively, the computer might be asked to come up with a set number of topics, and create categories without precoded documents, in a process called unsupervised learning. Supervised learning requires human labelling and intervention, where unsupervised learning does not. Scholars may then look at the categories created by the NLP model and try to interpret them. One example of this is Mining the Dispatch, which tries to categorize articles based on unsupervised learning topics.

Topic Modeling Graph

Token Classification

The task of token classification is trying to apply labels on a more granular level- labelling words as belonging to a certain group. The entities we are looking to recognize may be common. Parts of Speech (POS) Tagging looks to give labels to entities such as verbs, nouns, and so on. Named Entity Recognition (NER) seeks to label things such as places, names of individuals, or countries might not be easily enumerated. A possible application of this would be to track co-occurrence of characters in different chapters in a book.

Named Entity Recognition

Document Summarization

Document summarization takes documents which are longer, and attempts to output a document with the same meaning by finding relevant snippets or by generating a smaller document that conveys the meaning of the first document. Think of this as taking a large set of input data of words and outputting a smaller output of words that describe our original text.

Text Prediction

Text prediction attempts to predict future text inputs from a user based on previous text inputs. Predictive text is used in search engines and also on smartphones to help correct inputs and speed up the process of text input. It is also used in popular models such as ChatGPT.

Context for Digital Humanists

Before we get started, we would like to also provide a disclaimer. The humanities involves a wide variety of fields. Each of those fields brings a variety of research interests and methods to focus on a wide variety of questions.

AI is not infallible or without bias. NLP is simply another tool you can use to analyze texts and should be critically considered in the same way any other tool would be. The goal of this workshop is not to replace or discredit existing humanist methods, but to help humanists learn new tools to help them accomplish their research.

The Interpretive Loop

The Interpretive Loop

Despite the range of tasks we’ll talk about, many NLP tasks, tools, and models have the same or related underlying data, techniques, and thought process.

Throughout this course, we will talk about an “interpretive loop” between your humanities research tasks and your NLP research tools. Along this loop are a number of common tasks we’ll see again and again:

  1. Designing a task, model and dataset to answer a question or solve some need in a way we think will be ethical and interesting.
  2. Preprocessing the data so it can be processed by our model.
  3. Representing our processed data as mathematical constructs that bridge (a) our human intuition on how we might solve a task and (b) the algorithms we’re using to help with that task.
  4. Running our model, allowing us to compute some output.
  5. Outputting the result of our algorithms in a human readable format.
  6. Interpreting the results as it relates to our research tasks, our interests, our stakeholders, and so on.

Once done, you may have ideas about how to refine your initial approach, which allows you to iterate on projects if needed.

NLP Tasks

Before we can get to any of that, we need to better understand what tasks NLP can do. Some of the many functions of NLP include topic modelling and categorization, named entity recognition, search, summarization and more.

We’re going to explore some of these tasks in this lesson. We will start by using looking at some of the tasks achievable using the popular “HuggingFace” library.

Launch a web browser and navigate to https://huggingface.co/tasks. Here we can see examples of many of the tasks achievable using NLP.

What do these different tasks mean? Let’s take a look at an example. Conversational tasks are also known as chatbots. A user engages in conversation with a bot. Let’s click on this task now: https://huggingface.co/tasks/conversational

HuggingFace usefully provides an online demo as well as a description of the task. On the right, we can see there is a demo of a particular model that does this task. Give conversing with the chatbot a try.

If we scroll down, much more information is available. There is a link to sample models and datasets HuggingFace has made available that can do variations of this task. Documentation on how to use the model is available by scrolling down the page. Model specific information is available by clicking on the model.

Worked Example: Chatbot in Python

We’ve got an overview of what different tasks we can accomplish. Now let’s try getting started with doing these tasks in Python. We won’t worry too much about how this model works for the time being, but will instead just focusing trying it out. We’ll start by running a chatbot, just like the one we used online.

NLP tasks often need to be broken down into simpler subtasks to be executed in a particular order. These are called pipelines since the output from one subtask is used as the input to the next subtask. We will now define a “pipeline” in Python.

Launch either colab or our Anaconda environment, depending on your setup. Try following the example below.

from transformers import pipeline, Conversation
converse = pipeline("conversational", model="microsoft/DialoGPT-medium")

conversation_1 = Conversation("Going to the movies tonight - any suggestions?")
conversation_2 = Conversation("What's the last book you have read?")
converse([conversation_1, conversation_2])
[Conversation id: 91dc8c91-cec7-4826-8a26-2d6c06298696
  user >> Going to the movies tonight - any suggestions?
  bot >> The Big Lebowski ,
  Conversation id: f7b2a7b4-a941-4f0f-88a3-3153626278e8
  user >> What's the last book you have read?
  bot >> The Last Question ]

Feel free to prompt the chatbot with a few prompts of your own.

Group Activity and Discussion

With some experience with a task, let’s get a broader overview of the types of tasks we can do. Relaunch a web browser and go back to https://huggingface.co/tasks. Break out into groups and look at a couple of tasks for HuggingFace. The groups will be based on general categories for each task. Discuss possible applications of this type of model to your field of research. Try to brainstorm possible applications for now, don’t worry about technical implementation.

  1. Tasks that seek to convert non-text into text
  2. Searching and classifying documents as a whole
  3. Classifying individual words- Sequence based tasks
  4. Interactive and generative tasks such as conversation and question answering

Briefly present a summary of some of the tasks you explored. What types of applications could you see this type of task used in? How might this be relevant to a research question you have? Summarize these tasks and present your findings to the group.

Summary and Outro

We’ve looked at a general process or ‘interpretive loop’ for NLP. We’ve also seen a variety of different tasks you can accomplish with NLP. We used Python to generate text based on one of the models available through HuggingFace. Hopefully this gives some ideas about how you might use NLP in your area of research.

In the lessons that follow, we will be working on better understanding what is happening in these models. Before we can use a model though, we need to make sure we have data to build our model on. Our next lesson will be looking at one tool to build a dataset called APIs.

Key Points

  • NLP is comprised of models that perform different tasks.

  • Our workflow for an NLP project consists of designing, preprocessing, representation, running, creating output, and interpreting that output.

  • NLP tasks can be adapted to suit different research interests.


APIs

Overview

Teaching: 20 min
Exercises: 20 min
Questions
  • How do I know what data I can use for my corpus?

  • How can I use an API to acquire data?

Objectives
  • Become familiar with legal and ethical considerations for data collection.

  • Practice making an API request to a cultural heritage institution and interpreting responses.

Corpus Development- Text Data Collection and APIs

Sources of text data

The best sources of text datasets will ultimately depend on the goals of your project. Some common sources of text data for text analysis include digitized archival materials, newspapers, books, social media, and research articles. For the most part, the datasets and sources you may come across will not have been arranged with a particular project in mind. The burden is therefore on you, as the researcher, to evaluate whether materials are suitable for your corpus. It can be useful to create a list of criteria for how you will decide what to include in your corpus. You may get the best results by piecing together your corpus from materials from various sources that meet your requirements. This will help you to create an intellectually rigorous corpus that meets your project’s needs and makes a unique contribution to your area of study.

##Text Data and Restrictions

One of the most important criteria for inclusion in your corpus that you should consider is whether or not you have the right to use the data in the way your project requires. When evaluating data sources for your project, you may need to navigate a variety of legal and ethical issues. We’ll briefly mention some of them below, but to learn more about these issues, we recommend the open access book Building Legal Literacies for Text and Data Mining.

##OCR and Speech Transcription

Another criteria you may have to consider is the format that you need your files to be in. It may be that your test documents are not in text format- that is, in a file format that can be copied and pasted into a notepad file. Not all data is of this type, for example, there may be documents that are stored as image files or sound files. Or perhaps your documents are in PDF or DOC files.

Fortunately, there exist tools to convert file types like these into text. While these tools are beyond the scope of our lesson, they are still worth mentioning. Optical Character Recognition, or OCR, is a field of study that converts images to text. Tools such as Tesseract, Amazon Textract, or Google’s Document AI can perform OCR tasks. Speech transcription will take audio files and convert them to text as well. Google’s Speech-to-Text and Amazon Transcribe are two cloud solutions for speech transcription.

Later in this lesson we will be working with OCR text data that has been generated from images of digitized newspapers. As you will see, the quality of text generated by OCR and speech to text software can vary. In order to include a document with imperfect OCR text, you may decide to do some file clean up or remediation. Or you may decide to only include documents with a certain level of OCR accuracy in your corpus.

Using APIs

When searching through sources, you may come across instructions to access the data through an API. An API, or application programming interface, allows computer programs to talk to one another. In the context of the digital humanities, you can use an API to request and receive specific data from corpora created by libraries, museums, or other cultural organizations or data creators.

There are different types of APIs, but for this lesson, we will be working with a RESTful API, which uses HTTP, or hypertext protocol methods. A RESTful API can be used to post, delete, and get data. You can make a request using a URL, or Uniform Resource Locator, which is sent to a web server using HTTP and returns a response. If you piece together a URL in a certain way, it will give the web server all the info it needs to locate what you are looking for and it will return the correct response. If that sounds familiar, it’s because this is how we access websites everyday!

###A few things to keep in mind:

How to Access an API

For an example of how to access data from an API, we will explore Chronicling America: Historic American Newspapers, a resource produced by the National Digital Newspaper Program (NDNP), a partnership between the National Endowment for the Humanities (NEH) and the Library of Congress (LC). Among other things, this resource offers OCR text data for newspaper pages from 1770 to 1963. The majority of the newspapers included in Chronicling America are in the public domain, but there is a disclaimer from the Library of Congress that newspapers in the resource that were published less than 95 years ago should be evaluated for renewed copyright. The API is public and no API key is required. We’ll use Chronicling America’s API to explore their data and pull in an OCR text file.

For this lesson, we’ll pretend that we’re at the start of a project and we are interested in looking at how Wisconsin area newspapers described World War I. We aren’t yet sure if we want to focus on any particular newspaper or what methods we want to use. We might want to see what topics were most prominent from year to year. We might want to do a sentiment analysis and see whether positive or negative scores fluctuate over time. The possibilities are endless! But first we want to see what our data looks like.

By adding search/pages/results/? to our source’s URL https://chroniclingamerica.loc.gov/ and adding some of the search parameters that we have already mentioned we can start building our query. We will want to look for newspapers in Wisconsin between 1914 and 1918 that mention our search term “war.” And to keep our corpus manageable, we want to see only the first pages using sequence=1. If we specify that we want to be able to see it in a JSON file, that will give us the following query:

https://chroniclingamerica.loc.gov/search/pages/results/?state=Wisconsin&dateFilterType=yearRange&date1=1914&date2=1918&sort=date&andtext=war&sequence=1&format=json

Let’s take a look at what happens when we type that into our web browser. And let’s take a look at what happens when we remove the request to view it in a JSON format.

Now let’s explore making requests and getting data using python.

!pip install requests
!pip install pandas
Looking in indexes: https://pypi.org/simple, https://us-python.pkg.dev/colab-wheels/public/simple/
Requirement already satisfied: requests in /usr/local/lib/python3.9/dist-packages (2.27.1)
Requirement already satisfied: urllib3<1.27,>=1.21.1 in /usr/local/lib/python3.9/dist-packages (from requests) (1.26.15)
Requirement already satisfied: certifi>=2017.4.17 in /usr/local/lib/python3.9/dist-packages (from requests) (2022.12.7)
Requirement already satisfied: charset-normalizer~=2.0.0 in /usr/local/lib/python3.9/dist-packages (from requests) (2.0.12)
Requirement already satisfied: idna<4,>=2.5 in /usr/local/lib/python3.9/dist-packages (from requests) (3.4)
Looking in indexes: https://pypi.org/simple, https://us-python.pkg.dev/colab-wheels/public/simple/
Requirement already satisfied: pandas in /usr/local/lib/python3.9/dist-packages (1.5.3)
Requirement already satisfied: numpy>=1.20.3 in /usr/local/lib/python3.9/dist-packages (from pandas) (1.22.4)
Requirement already satisfied: pytz>=2020.1 in /usr/local/lib/python3.9/dist-packages (from pandas) (2022.7.1)
Requirement already satisfied: python-dateutil>=2.8.1 in /usr/local/lib/python3.9/dist-packages (from pandas) (2.8.2)
Requirement already satisfied: six>=1.5 in /usr/local/lib/python3.9/dist-packages (from python-dateutil>=2.8.1->pandas) (1.16.0)
import requests
import json
import pandas as pd

from google.colab import drive
drive.mount('/drive')
Mounted at /drive

Making a request

You can make an API call using a get() request. This will give you a response that you can check by accessing .status_code. There are different codes that you might receive with different meanings. If we send a request that can’t be found, we get the familiar 404 code. A 200 response means that the request was successful.

#What happens when what you are looking for doesn't exist?
response = requests.get("https://chroniclingamerica.loc.gov/this-api-doesnt-exist")
print(response.status_code)
404
#Get json file of your search and check status
#First 20 search results
response20 = requests.get("https://chroniclingamerica.loc.gov/search/pages/results/?state=Wisconsin&dateFilterType=yearRange&date1=1914&date2=1918&sort=date&andtext=war&sequence=1&format=json")
print(response20.status_code)
200

Now that we have successfully used an API to call in some of the data we were looking for, let’s take a look at our file. We can see that there are 3,941 total items that meet our criteria and that this response has gotten 20 of them for us. We’ll save our results to a text file.

# Look at json file
print(response20.json())
{'totalItems': 3941, 'endIndex': 20, 'startIndex': 1, 'itemsPerPage': 20, 'items': [{'sequence': 1, 'county': ['Manitowoc'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85033139/1914-01-01/ed-1/seq-1/', 'subject': ['Manitowoc (Wis.)--Newspapers.', 'Wisconsin--Manitowoc.--fast--(OCoLC)fst01225415'], 'city': ['Manitowoc'], 'date': '19140101', 'title': 'The Manitowoc pilot. [volume]', 'end_year': 1932, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Publisher varies.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Manitowoc, Wis.', 'start_year': 1859, 'edition_label': '', 'publisher': 'Jeremiah Crowley', 'language': ['English'], 'alt_title': [], 'lccn': 'sn85033139', 'country': 'Wisconsin', 'ocr_eng': 'olume IV.\ntCITY COUHCIL NOUS,\npecial meeting of the city council\neld last Saturday evening to take\ni winding up the electric light\npurchase matter and to consider\notor lire truck purchase matter,\nler, Gcorgenson and Schroeder\nabsent.\nesolutlon of Plumb md Frazier\nunaminously adopted. It ratified\njKdetail of the committee’s agree\n■t with the electric company, in\n|Hcted the attorney to apply for a re\naßring to enable the stale Railroad\nmjwmission to incorporate the agree-\nHnt in its order; authorized the coni-\non electric lights to manage\nH plant temporarily; authorized ihe\ncommittee to incur some nec\n!iry expenses in priiting and selling\nelectric light bonds and instructed\nfinance committee not to sell morel\nbe bonds than shall be necessary,\ni motion was then made author!/-\nthe committee on fire and water to\nto Milwaukee and Kenosha and\ne chief Kratz point out the defects\nadvantages of the different types\nnotor trucks. Thorison, chairman,\n1 his heart set on this trip. Being\ntious and conscientous above the\nrage he always has to be ‘“shown.”\n3 vote was, for the junket, 8 against\nThe noes were Kapil/, Lippert and\nierer.\n\'he mayor ruled tflat it was an “ex\njrdinary expenditure” requiring II\nayes to carry. There was u strained\npause. Then Thorison came to his\nfeet and proposed that the bridge com\nmittee be sent. (This was a short arm\njab to the solar plexus of his neighbor\nI who recently went on the au\nbridge junket.) Thorison add\nhls committee had numerous\ntaake trips of inspection at\nsnse of the truck manufactur\nwould not consider that and\nthe council wanted to spend\n•a truck blindly they could not\nsnted.\nmtor lire truck proposition for\nason not discernible has been\ni sinister iniluence for a year\npast. It seems to be creating suspic\nion and ill-will where there have been\nnone for years. Some members are\nfighting it bitterly.\nThe necessity for a three-fourths\nvote has prevented the purchase sever\nal times. The proponents caught them\nasleep and slipped the JfiOOO appropria\ntion Into the lodgeu some weeks ago\nspecifying it to be for “tire purposes.”\nThe antis now assert that this is not\nsufficiently definite to take the purchase\nout of the “extraordinary appropria\ntion” class. There may be a big light\nover it soon.\nVALUABLE FARM AS\nGIFT STIRSCATO.\nThe death of John Meehan of Cato,\n-reported last week, has developed a\nfcurious situation. Mr. Meehan who\na bachelor, aged 50 has been an\nHvalid for some time. Early in Nov-\nhe gave to the tenant of his\nWilliam Launbrecht, a deed to\nHe farm and title to the farm person-\nHty in consideration of an agreement\nV support the grantor for life and pay\ngrantor’s nearest living rela.\nMiss Reddin, of Cato, a niece,\n■BOO upon the grantor\'s death. The\nfarm is just outside the village of Cato.\nMeehan survived this transaction less\nthan six weeks. Thus his properly,\nConservatively valued at SIB,OOO, will\n■ to one not related to him upon the\n■yroent of SIOOO. Meehan had no\nof nearer kin than nieces and\nAlthough ho had not been\nwith these relatives there\nbeen no ill-will or family feud be\n™een them. The farm is further\npledged upon the bond of Win. Keddin,\n.one of the defendants convicted in the\ntreat labor union and; naraile case in the\nfederal court at Indianapolis. There\n\'are some rumors at Cato of an inten\ntion to contest Launbrecht\'s possession\nin court but nothing authoritative has\nbeen made public.\nNOTICE TO TAXPAYERS.\nI Notice is hereby given that the tax\nlist\'d taxes for the year 11)13 levied\nfor the following purposes, \' >wit; Gen\neral city purposes, state and county\npurposes, schools, sewers, inomelaxes\nspecial assessments for\' sidewalks,\nstreet improvements and water mains\nand delinquent charges for water\nmains, etc., has been committed to me\nfor collection, and that 1 will receive\nkpayment for taxes at my oilice in the\nHty hall at 931 South Eighth street,\nni the city of Manitowoc, Wis., for the\nlerm of thirty days next following the\n■ate of this notice.\nI Dated Decern bet 15, 1913.\nI HENRY FRANKE,\nI City Treasurer. Manitowoc, Wis.\nBUY LAND ON EASY TERMS.\nCut-over hard wood lands In Wiscon\nsin, from $9.00 per acre up. #I.OO per\nhere cash, balance in monthly install\nments of $5 00 on each forty bought.\nNo better p/o(>oßition known. Go to it\nAdv. A. P. Schenian, Agent.\nSubscribe for the Pilot.\n®j)c pilol.\nMARRIED\nMiss Serena Westphal and Mr. Her\nman C. Berndt were married at the\nhome of the bride’s parents on Christ\nmas day at 5 o’clock in the evening by\nthe Rev. of the German\nLutheran church. The affair was\nquiet, and was witnessed only by the\nimmediate relatives of the contract\ning couple.\nThe bride is a bright and accomplish\ned young lady and has a large circle of\nfriends in this city. She is a daughter\nof Mr. and Mrs. H. C. Westphal,\nSouth 13lh street. She is a graduate\nof the old West Side high school and\nwas employed at one time as a deputy\nin the office of the county clerk.\nMr. Berndt is a well known young\nman, energetic and intelligent, who\nfor twelve years was foreman of the\nPilot, but severed his connection with\nthe establishment four months ago to\naccept a more lucrative position with\nthe Fond du Lac Reporter. Mr. and\nMrs. Berndt have taken up their resi\ndence at Pond du Lac.\nThe Pilot joins the many friends of\nboth bride and groom in tf idering con\ngratulations and expressing the wish\nthat their future may be crowned with\nbliss.\nAt the home of Win. Ralbsack, Sr.,\nChristmas, Miss Ruth Bern and Mr.\nMelvin Sandersin were united in wed\nlock, the Rev. Haase officiating. Miss\nAdeline Hinz and Arthur Bern, were\nthe attendants. The bride is a popular\nyoung lady who has been employed as\na clerk in the Esch store. The groom\nis employed as a machinst at the Gun\nnell Machine Company.\nThe young couple will make their\nhome in this city.\nGOLDEN WEDDING.\nMr. and Mrs. Christian J. Knutze\non Tuesday celebrated the fiftieth ar\nniversary of their marriage at theii\nhome, North 15th street.\nThe marriage of Christian Kuatzen\nand Miss Gunhild Halverson was on\nDecember ;W, 18113, at Vraadl, Norway,\nthe Rev. K. O. Knutzen, father of the\ngroom, performing the ceremony.\nMr. Knutzen is a native of Christi\nana, Norway, having been born there\nApril 1, 1837, being 70 years of age,\nwhile Mrs. Knutzen, born at Hvidese\nNorway. May 22. 1843, is 70. Despite\ntheir advanced ages, Mr. and Mrs.\nKnutzen are enjoying good health.\nThey came to America the year after\ntheir marriage, landing at Quebec, and\nlater on removing to Chicago. They\nlived in Illinois for a few years and\ncame to Manitowoc in 18(37, where they\nhave since resided.\nMr. Knutzen has been a painter con\ntractor for the past 45 years.\nThere are five children and fifteen\ngrancdhildren living. The children\nare: H. J. Knutzen, Antigo, N. E.\nKnutzen, Green Bay; Mrs. P. A. Holm,\nTigerton, and Dora and Marie of this\ncity.\nThere was a family re-union at the\nhome Tuesday afternoon and evening.\nThe following were here from outside\nfor the golden wedding:\nMrs. Bertha Knutzen, Edwin,George\nNorman, Menasha; Mr,and Mrs. H. J.\nKnutzen, Antigo; Mr. and Mrs. N. K.\nKnutzen, Green Bay; Mr. and Mrs. P.\nA. Holm, Tigerton.\nREAL ESTATE REPORT\nThe following Real Estate Reports is\nfurnished by the Manitowoc County\nAstract Company, which owns the\nonly complete Abstract of Manitowoc\ncounty.\nGeorge Bauman to Joseph W. Vran\ney, 108£ sq. rods in NW corner sec 30\nKossuth, SOSOO.\nAnnie Derringer et al to Henry\nBaruih, lot 0 blk 312 Manitowoc, $2200.\nJohn A. Johnson to Arthur E. ILw,\nlot 11 blk 50 Manitowoc, sl.\nJohn I’eter Steffes to Peter Endries,\nlots 1 and 2 blk “D” Manitowoc, *l.\nJohn Peter StelTes to Peter Endries,\n2J a in sec 23 and 20 Manitowoc Rap\nids, sl.\nPeter Endries to John Peter StefTes\net al, lots 1 and 2 blk “D” Manitowoc\nsl.\nPeter Kndrles to John Peter SteiTes\n24 a in sec 23 2(1 Manitowoc Rapids, sl.\nWilliam Pohl to Norhert Reichert,\n80 a in sec 10 Schleswig, SIO,OOO.\nC. H. Tegen to Mary Healy Jr., lot\n4 blk 291 Manitowoc, fl.\nMatt Kocian to Lawrence Kocian, 120\na in sec 30 and 31 Cooperstown, sl.\nJohn G. Meehan to William J. Laun\nbrecht, 104.24 a in section 4 Cato and\n36 a in section 33 Franklin, $16,000.\nCharles M. Ohlsen to Jennie M. Ohl\nsen, lot 3 blk 7 Manitowoc, sl.\nFruit In Glass.\nA housewife who was puzzled to\nknow how she could put fruit In the\nrefrigerator and not have it scent the\nbutter and milk by the side of It,\ncaught the Idea of emptying out the\nbasket into glass Jars and putting on\nthe tops.\nMental Training.\nAn educated man la a man who can\ndo what he ought to do when he ought\nto do It whether he wants to do It or\nnot.—Nicholas Murray Butler.\nDIEO\nFrank Moser dropped dead Monday\nmorning on the grounds of the Seventh\nward public school where he was em\nployed by contrrctor Steve Knechtel\nin some grading work in progress.\nMr. Moser had but arrived to begin\nthe mornings work and was chatting\nwith a fellow employe when he fell\nlifeless without givingany premonitoiy\nsymptoms of distress. He had not been\nin ill health. His son Frank died but\nthree weeks ago leaving a void in the\nmusical circle of the city, he having\nbeen for years director of the city’s\nwidely known Marine Band. Frank,\nSr., was born in Hungary in 1854 and\ncame to this country in the early 00’s\nand had lived in Maple Grove until 3\nyears ago. He was a man of good char\nacter and esteemed by all his neigh\nbors. The Catholic Knights of Wis\nconsin, of which he was a member, at\ntended his funeral which was held yes\nterday from St. Bonifact, church to\nCalvary. He is survived only by his\nwidow.\nCONNELLY SURPRISED WITH GIFT\nMichael T. Connelly, who is a char\nter member of the local council of the\nK. of C. organized over 11 years ago,\nand who leaves for Madison today\nto assume anew position with the\nRailroad Commission was entertained\nby his lodge brothers at their hall\nTuesday evening. Mike was lured to\nthe hall by Rev. J. T. O\'Leary and un\nsuspectingly walked into the party.\nMike’s manifold virtues were extolled\nby M. J. O’Donnell, Rev. O’Leary,\nJohn Egan, P. A. Miller, L. W. Led\nvina, James Taugher, George Kenne\ndy, Dr. A. J, Vits, Puch Egan, Dr.\nMeany and John Carey. Ed. L. Kelley\ngina! verses about the\nire and Harry Kelley\nmarks in presenting a\nuiair on behalf of the\nking that a rocking chair\nwas an inspiredly appropriate gift to\none entering the state service. The\ntenor of most of the tributes was re\ngret at losing the bubbling good spirits\nofOonneliy. “Dynami er of gloom\nPuch Egan called him.\nTRUE SECRET OF POPULARITY\nQlrl Must. Have torpe Beauty. Grace\nand Intelligence, and Especially\nRadiance.\nWhat can a young girl, who Is net\nther a great beauty nor a great heir\ness, nor one to whom the gods stood\nsponsor at birth, do to make herself\npopular?\nLet us sit down and take our chins\nIn our hands and think about It\nA girl must have, at least In some\nsmall degree, four qualities. There\nare children of fortune who have them\nall, and in abundance, but as from a\nsmall palette of primary colors a great\npicture may be painted, just so out\nof a few elementary attributes quite\nwonderful results are possible. The\nfour qualities of personality are:\nBeauty, grace, intelligence, radk\nance.\nBeauty may be that of face or fig\nure, oAAt may be merely an effort of\nbeauty through style, charm, or even\none of the other three qualities fol\nlowing:\nGrace includes not alone symmetrj\nof movement, but all accomplish\nments In activity, such a a dancing,\nskating, swimming, riding, and also\nany especial gifts, such as a talent for\nmusic or acting. In other words, the\ngirl who has the "gift of grace” in the\ngirl who does things well.\nBy intelligence is meant the sympa\nthetic, adaptable quality of mind, rath\ner than that of the brilliant order. Hut\nthe one great attribute that crowns\nthem all —granting, of course, some\ngift of the other three—but without\nwhich beauty, grace, cleverness are\nall as applet of Sodom—is the sense\nof enjoyment, the gift of happiness.\n1 dot t think 1 can better define it\nthan by tbe word radiance. And best\nof all, radiance is a quality that can\nb( cultivated.\nBeards in Olden Times.\nThe Greeks wore their beards until\nthe time of Alexander, but that great\ngeneral, probably remembering an en\ncounter with bis wife, orderd the Mace\ndonians to be shaved, lest their beards\nshould g_lve a handle to their enemies.\nHeards were worn by the Romans In\n390 I), C. Th* Emperor Julian wrote\na diatribe entitled "Misopogon” against\nthe wearing of the chin appendage in\n362 B. C.\nGet Fine Ride.\nAll offenders whom It becomes de\nsirable to detain for a greater or less\nperiod In the new Hordeau Jail, near\nMontreal, are taken to their tempo\nrary dwelling place In a tour\'ng car.\nwhich traverses a beautiful route,\nalongside a river, and with se-ene and\nuplifting scenery In the distance and\nat hand.\nWoman\'s Reason.\nWomen have more of what Is termed\ngood sense than men. They cannot\nreason wrong, for tuey do not reason\nat all. They have fewer pretensions,\nare less Implicated In theories, and\njudge of objects more from their im\nmediate and involuntary Impression\non the mind, and therefore more truly\nand naturally.— Hail\'tt.\nMANITOWOC, WIS., THURSDAY, JANUARY I. 1314.\nITEMS FROM THE PILOT FILES.\nFIFTY YEARS AGO.\nThe Fortunes of War.—-A soldier\nof the 17th regulars, a native of Phila\ndelphia, at the battle of Chickamauga\nwas struck with a piece of shell in the\nright eye, then passing under the\nbridge of the nose destroying the sight\nof the left eye, and he is now perfectly\nblind, though in the prime of life. In\nthe same action in which he lost bis\neyesight, he had a father and three\nbrothers killed leaving out of a whole\nfamily only himself and his aged moth\ner.\nAfter Them. —General Grant has\ncaptured, within the past seven months,\nfour hundred and twelve cannons,\nnamely: fifty-two on his advance to\nVicksburg, three hundred at that place\nand sixty last week before Chattanoo\nga. Two thousand United Stales can\nnons were stolen from Norfolk at the\nbeginning of the rebellion, but if Grant\nkeeps on at this : ate he will soon get\nthem all back again. Grant mu it be a\ngenuine “son of a gun.”\nLost Cows Hugh Ray of Kewau\nnee, can find his lost cows at Mr. John\nSechrest\'s in the north-west part of\nthe town of Two Rivers.\nMeade Retreats—More Men!—\nMeade sought Lee. He found him\nWhen he found him he didn’t like his\nlooks. So lie ran away. Avery brief\nvis-a-vis with the rebel commander\nscared the wits from our commander’s\ntiead and gave vigor to his heels.\nMeade thinks Lee too strong for him.\nWe think Meade was right. He be\nlieved himself forced to run first, or be\nwhipped and then run. Doubtless the\nconclusion was well grounded.\nNow here we are again—flat on our\nbacks; without force enough to con\nquer another square rod of southern\nterritory. To carry out the plan of\nthe government at least a million more\ntpen will be required for the field.\nUnder the present draft, we do not gel\nenough to till the places of those who\ndie in hospital. If the president is in\nearnest, lie will sweep tlie whole first\nclass of enrolled national forces into\nthe army at once. At the present rate\nof progress, war is fast getting to be\nchronic.\nPious That, notoriously pious sheet.\nthe N. Y, Independent compv\'\'e,s Presi\ndent Lincoln to a cur with a collar\nSpeaking of him, it says: “Does lie\nnot wear Kentucky like a collar to this\ndayV A dog with a collar lights slow!”\nThis respectful (V) language is from\nthe pen of the Hev. Tilton, editor, who\nwas drafted, but, who, though able\nb.idied, concluded not to fight at all.\nTWENTY-FIVE YEARS AGO.\nCharley Peers, Charley Sasse and\nCharley Leveron* constitute a trinity\nof preambulalors on Sundays. A couple\nof weeks ago the three started out in the\ncountry for a longer walk than usual.\nThey took the railroad track until they\nhad gone as far as they wished and\nthen made for a country mail on which\nthey proposed home. ’ After\ntramping an hour they thought they\nshould be in sight of the city but could\ndiscover no trace of Manitowoc. They\nipuckened their pace for an other half\nhour and still could discover no trace\nof the lost city. Peers thought some\none had run away with the pjace; Sas\nse thought there was some witchcraft\nabout the thing and Levereni’. proposed\nthey camp out and wait for a relief ex\npedition. A farmer passed by and the\nthree hailed him with. "Say, where’s\nManitowoc’?” The farmer thought\nthey were guying him and wanted to\nlight the crowd. Hasse thought it\nwould be a good plan to mount\nand holler as they used to do In olden\ntime w hen lost in the woods in hope\nthat someone in the city would hear\nand give an answering shout. Their\nqueer maneuvers made the farmers\nsuspicious and when one of the crowd\nwould approach a house to inquire\nabout Manitowoc, lie would he chased\nout of the yard with dogs. Peers went\ninto the woods having heard at one\ntime that persons lost could find ttieir\nway homo by noticing on which side of\nthe tree the moss grew. Put it was as\nhard to find moss as it was to lind the\ncity. In the meantime the farmers\nwere collecting with pitchforks, hoes\nand axes to drive away the three dan\ngerous looking characters who pre\ntended they did not know the way to\nManitowoc. The trio set olf on a run\nand took anew road. They reached\nthe Pranch village by nightfall but\ndidn’t know the place. One of them\ninsisted it was Amigo and that there\nwere a few people there who know\nhim. Another thought it was Hurley\nas they walked far enough to reach\nthat place. The third thought it was\nDepere and pointed to the river as\nproof. They came near having a row\nover the matter but in the nick of\nlime a man approached whom they\nknew. Py round about questions they\nlesrned where they were and hired a\nman to lake them home.\nNow when they go outside the city\nlimits for a walk one of ’em walks\nbackwards so as to keep the city from\ngetting awry from them. People who\nmeet them wonder why one fellow pre\nfers to walk backward, but the oilier\ni wo explain that he wras born that way.\nThey take turns in this task and never\nget beyond sight of the city.\nEDUCATIONAL.\n(ByC. W. Mkisnest.)\nJAN UARY TEACHERS’ M EETINGS\nUsman, Jan. 17, 1914.\n9:30 A. M.\nOpening\nClass Exercise in Middle Form Oleog\nraphy . . Nell to Barnes\nRural Economics . Edwin Mueller\nTeaching How (o Study (Chapter V)\nI’. J. Zimmers\n1;80 P. M.\nHow to Teach Long Division, Factoring\nand Decimals - James Murphy\nEllanora tiraf\nMoral and Humane Teaching\nMarie Gass\nAccident Prevention - Mary (irady\nHow to Study (Chapter XI)\nP. J, Zimmers\nUecdsvllle, Jan. 10, 19H.\n10:00 A. M,\nSinging - - Heedsville Pupils\nConducted by Gladys VVilllnger\n(a) Accident Prevention\nMildred Dedricks\n(b) Moral and Humane Teaching\nEtta Hayden\nTeaching How to Study (Chapter V)\nP. J. Zimmers\n1:30 P. M.\nClass Exercise in Agriculture\nElizabeth Walrath\nRural Economics - F. O. Christiansen\nHow I Teach Factoring, Decimals, and\nLong Division - Florence O’Connors\nP. W. Falvey.\nTeaching How to Study (Chapter XI)\nP. J. Zimmers\nBring your copy of McMurry lo all\nmeetings.\nThe state of Maryland is holding sev\neral educational rallies lo stir up in\nterest in education in order to secure\nlegislative action for the improvement\nof the schools of the State and espe\nciady those located in rural dlstr\'cts.\nRallies are being held in many coun\nties of the Stale. It is the purpose\nof the State Hoard to hold such rallies\nin every county before the next meet\ning of the legislature. The State\nBoard of Education is especially anxi\nous to create sentiment which will re\nsult in favorable action Ity the Slate\nlegislature on the following mo.-suies;\n1. An increased State appropriation\nfor common schools.\n2. A Slate supervisor of rural\nschools ns an assistant to the State Su\nperindent of Public Instruction.\n3. A State-wide compulsory educa\ncation law.\n4. A minimum term of at least sev\nen months for all colored schools.\n. r ). Teacher-training courses in ap\nproved high schools under the auspices\nof the State Board of Education.\n(>. A Slate supported summer school\nfor rural teachers.\nIt seems strange that so old a state\nas Maryland should lie so far behind\nWisconsin in these matters; and yet\nthe Slate Boaard of Public Affairs bns\nplaced Maryland ahead of Wisconsin in\nschool efficiency.\nFOLK HIGH SCHOOLS\nIN DENMARK.\nContinuing the education received\nin the elemenlry schools for young\nmen and women from 1H to 25 years of\nage and making such provisions as to\nterms that the farm work will boas\nlittle interfered with as possible is the\naim of the Folk High Schools of Den\nmark.\nTwo courses are offered each year,\n—a four months’ course in the winter\nfor young men and a three months’\ncourse in the summer for young wom\nen. Most of these young people have\ncompleted the work of the elementary\nschools. The schools are located in\nthecountry and are intended primarl\'y\nfor country youth. The sciences con\nnected with agriculture are taught,\nbut the greatest emphasis is laid on\nhistory, biography, and literature.\nThe schools then are not vocational\nschools except in a very broad sense.\nThe great object is to awaken the\nintellectual life of the students, lo\nmake them ambitious to live efficient\nly and nobly, and to teach them how\nthis may be accomplished.\nIt is said that 10 per cent of the pop\nulation of Denmark goes through these\nschools. Their popularity is attested\nby the fact that they are supported by\ncooperative effort of the people them\nselves; only very small annual grants\nare received from the government.\n’[’he Folk High Schools are a mighty\nagency :n the life not only of the rural\ncommunities hut of the nation at large.\nFive members of the Denmark cabinet\narc from the Folk High Schools, four\nof these are farmers. Many members\nof the lower house of parliament are\nalso from these schools. Eighty per\ncent of the officials and managers in\nthe cooperative agricultural societies\nand enterprises have attended Folk\nHigh Schools.\nThe results achieved hy these schools\nare a good example of the remarkable\nresults which can lie achieved when\nthe people are given the kind of educa\ntion which they really need.\nDISEASES OF SCftOOLCHILDREN.\nTuhercu\'osis of the lungs is the lead\ning cause of deaths among American\nchildren during the period of school\nlife, Next in order ere incidents,\nO.TORRISON COMPANY\nTATE Extend to All Our\n* * Best Wishes for a\nProsperous and Happy New\nYear and Wish to Thank\nYou for the share of patron\nage with which you have\nfavored us ...\nWe are now in the midst of our\nannual inventory taking and\nbeginning with January 2nd you\nwill find throughout the entire\nstore unusual bargains priced so\nlow that if money-saving is the\nobject you should look through\nthe different departments . .\nO. TORRISON CO.\nFirst Mortgages and Bonds\nWe have on hand and offer for sale choice first mortgages\nand bonds. These mortgages and bonds make the safest\nand best kind examined by ns and we guarantee them\nstraight.\nJulius Lindstedt & Cos.\nManitowoc. WisconsinJ\ndipheria and croup, lyhold fever, and\norganic diseases of the heart. Out of\na total of 51,1103 deaths from all causes\nat ages 5 to 111,24,510, or 47.5 per cent\nare caused by these live diseases. Tu\nberculosis causes 14,3 per cent and ac\ncidents 13.8 percent of the mortality\namong children of small age. These\nligures are given In an article in the\nDecember number of the School Re\nview,\nThe light against the great white\nplague should receive renewed im\npetus from the fact that this disease Is\nthe captain of the enemies of health\nand life among the school children of\nour land.\nThe number of public and private\nhigh schools in the United Stales of\nfering courses in agriculture is now\n1,880. In 11)10 the corresponding num\nber was 432, which is about one-fourth\nof the present number.\nStale Superinlendant C. I*. Cary has\ndesignated January 28-30 as the days\nfor the bolding of the annual conven\ntion of county superimendanls. The\nconvention will bo hold in Madison.\nThe time and place of meeting will en\nabb’ the county superintendents to lake\nadvantage of the meeting of the coun\ntry life conference and the two weeks\nFarmers\' Course.\nMarriage Licenses\nThe following marriage licenses have\nbeen Issued by the county clerk the\npast week:\nDavid Terry of Kaukaunn and Nora\nWestpbabl of Two Rivers; Jos. Kolo\nwsky of Milwaukee and Blanche Sol>-\nluosky of Manitowoc; Adolph Ilrat/.\nand Kmrna Hubolz, both of Rockland;\nJohn liubolz and Laura Rusch, both of\nRockland; Simon Slsdkey of this city\nand Hernia lieranova of i’raguo, Bo\nhemia; Kdward Shimon and Barbara\nBurish, both of Reedsville; Frank\nBurlsh of Spruce, Wls. and F.mnia Os\nwald of Franklin, Deter Horn and\nKlizabeth Hartman, both of Manitowoc\nHenry Kieselhorst of Newton and Lin\nda Rusch of Liberty; Henry Siege of\nAnti go and Linda Klusmoyor of Ra\npids; Kdward Kafka and Rose Napic\nclnszkl, both of Two Rivers.\nNUMBER 27\nJoke of Year* Ago.\nA clergyman wan preaching a ser\nmon upon "Death,” in the course ol\nwhich he asked the question: "Is it\nnot a solemn thought?” ills four-year\nold boy, who had been listening in\nrapt attention to his father, Immedi\nately answered in a shrill, piping\nvoice, so as to bo heard throughout\nthe house; "Yes, sir, it is."—Vintage\nof 1803.\nPeculiar Bequests.\nThere is one actual case on record\nof a bequest of artificial teeth. Hut\nas it was so long ago the legal chron\niclers think the decedent had In mind\nthe sale of the teeth to the dentists\nof the time so that cash might be real\nUed. -Many cases are narrated ol\nwomen bequeathing their hair to\ntheir heirs to bo converted Into money.\nRecognized English Holidays.\nThere are now twenty six days In\nthe year recognized us legitimate oc\ncasions for holiday* In most cities of\nUngland. These are In addition to\nthe weekly half-holidays observed on\nWednesdays or Saturdays. An effort\nIs being made to lessen the number\nof holidays and to bring those re\ntained Into more systematic order.\nIndustry Always a Refuge.\n“Some temptations come to the in\ndustrious,” said Spurgeon once, "but\nall temptations come to the Idle " The\nold and good renuly against a be\nsetting sin Is to leave neither time\nnor room for It anywhere in life, and\nso crowd it out steadily and surely\nfrom its old place and power.”\nTo Whiten Ivory,\nTo whiten Ivory rub it well with un\nsalted butter and places it in the sun\nshine. if It Is discolored it may be\nwhitened by rubbing it with a paste\ncomposed of burned pumice stone and\nwater and putting in in the sun under\nglass.\nTo Clean Brass.\nTo clean embossed brass make a\ngood lather with soap and a quart ol\nvery hot water. Add two teaspoon\ntuls of the strongest liquid ummonla.\nWash tho article In this, using a soft\nbrush for the chased work. Wipe dry\nwith a soft cloth.', 'batch': 'whi_harriet_ver01', 'title_normal': 'manitowoc pilot.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85033139/1914-01-01/ed-1/seq-1.json', 'place': ['Wisconsin--Manitowoc--Manitowoc'], 'page': ''}, {'sequence': 1, 'county': ['Kenosha'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85040310/1914-01-01/ed-1/seq-1/', 'subject': ['Kenosha (Wis.)--Newspapers.', 'Wisconsin--Kenosha.--fast--(OCoLC)fst01203049'], 'city': ['Kenosha'], 'date': '19140101', 'title': 'The Telegraph-courier. [volume]', 'end_year': 1946, 'note': ['Available on microfilm from The State Historical Society of Wisconsin.', 'Editor: M. Frank, L.A. Cass, 1888-Aug. 7, 1890.--L.A. Cass, Aug. 14, 1890-Aug. 13, 1891.--F.H. Hall, Aug. 20, 1891-Oct. 1, 1896.--G.P. Hewitt, Nov. 4, 1897-Aug. 29, 1901.--S.S. Simmons, Sept. 5, 1901-<1915>.--W.T. Marlatt, <1915>-Apr. 16, 1925.', 'Publisher varies.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Kenosha, Wis.', 'start_year': 1888, 'edition_label': '', 'publisher': '[L.A. Cass]', 'language': ['English'], 'alt_title': [], 'lccn': 'sn85040310', 'country': 'Wisconsin', 'ocr_eng': 'Established\nIn\n1839\nVOLUME LXXV.\nROSTER OF BRAVE\nLists Are Compiled of Men\nWho Gave Service to Na\ntion During Civil War.\nPLAN A LASTING MEMORIAL\nF. H. Lyman Submits Lists For Var\nious Towns in the County and Asks\nPeople to Aid him in Securing Names\nof Any Who May Have Been Omitted\nFollowing is the roll of civil war\nveterans credited to the township of\nWheatland. Many are responding to\nthe invitation to note errors and omis\nsions and. are informing the secretary\non these and other points. Be sure that\nyou do your duty in this particular.\nAddress F. IT. Lyman, 432 Park avenue.\nWheatland.\nJames Curran Ist\nFrederick A. Bunth ..4th Cav. F.\nJoseph Dreckman ....9th Bat. Lt. Art.\nJames Lewis Ist. Hvy. Art. D.\nFrank W. Seavey...-Ist. Hvy. Art. D.\nAlbert.M. Dyer Ist. Inf. 0.\nWm. C. Me Fee Ist. Inf. C.\nJapheth M. Hunt Ist. Inf. C.\nJames Lewis Ist. Inf. C.\nHenry Palmer Ist. Inf. 0,\nGeorge I‘aimer ton Ist. Inf. C.\n•Litgene Scherer Ist. Inf. 0.\nL\'rnst 0. Timme Ist. Inf C.\n1 erdinand Vonderbeck Ist. Inf. C.\nGeorge Weanner Ist. Inf. C.\nDaniel Whalan Ist. Inf. C.\nCharles E. Ashley Ist. Inf. C.\nOscar Eddy Ist. Inf. C.\nJoseph Lai ringer Ist. Inf. O.\nHenry Hollencamp sth. Inf. B.\nLudwig Urban ath, Inf. A.\nAlbert E. Fosdick Oth Inf. I.\nHenry A. Fosdick Oth. Inf 1.\nJacob Zabn 9th. Inf. H.\nJames Burns 12th Inf.\nMu:i ».y 12th Inf.\nWilliam T. Brent 14t,h Inf. C.\nWilliam Gilbert 18th Inf. G.\nCharles Wood 18th ln£. G.\nWilliam Fosdick 19th Inf. G.\nJames Fosdick 19th Inf. G.\nCharles Pagel 20th Inf. D.\nWilliam Heifer 20th Inf. K.\nAlfred Bartholomew 25th Inf. A.\nPeter D. Bartholomew. 25th Inf. A.\nWilliam F. O. Coard 25th Inf. A.\nBobt. L. Ferguson 25th Inf. A.\nJohn A. Ferguson 25th Inf. A.\nPhilip Gciser 25th Inf. A.\nEdwin K. Coring 25th Inf. A.\nJames Mason 25th Inf. A.\nEzra A. Roberts 25th. Inf. A.\nBenjamin F. Roberts 25th. Inf. A.\nJames H. Rogers 25th Inf. A.\nFrederick S. Rowe 25th. Inf. A.\nMerrit Rowe ....25th Inf. A.\nCharles 11. Tilden 25th Inf. A.\nCharles L. Fay 33d. inf. I.\nSquire C. Bolden 33d. J n f. J,\nJoseph Carpenter 33d. Inf. I.\nFrancis G. (.\'lark 33d. Inf. I.\nJohn Gunner 33d. Inf. I.\nNewton R. Fay 33d. Inf. I.\nOrin Palmeston 33d. Inf. I.\nTimothy Pierce 33d. Inf. I.\nDavid Pierce 33d. Inf. I.\nValentine Plate 33d. Inf. I.\nJohn Richter .. 33d. Inf. I.\nTheodore Vanderbeck 33d. Inf. I.\nJames A. Woodhead 33d. Inf I.\nCorwin 1). Scott 37th. Inf. A.\nWalter Scott ...37th Inf. A.\nHenry P. Kenda11........42nd. Inf. B.\nOrrin I). Wilson 42nd. Inf. B.\nJohn Bard 43d. Inf. C.\nJames Voisev 43d. I n f. F.\nSilas E. Phillips 50th Inf. A.\nErastus H. Ames 50th Inf. B.\nJoseph F. Huntington 50th Inf. B.\nEleazer G. Miller 50tn Inf. B.\nHenry K. Miller 50th Inf. B.\nSilas E. Phillips 50th Inf. B.\nCharles Schied 50th Inf. B.\nGeorge S. Sperry 50th Inf. B.\nAlbert A. Sumner 50th Inf. B.\nMilo M. Whitney 50th Inf. K.\nPARIS TAX PAYERS NOTICE.\nThe undersigned will receive taxes\nfor the town of Paris for the year 1913\nat:\nW. E. Heidersdorf’s Store.\nMonday, January 20, 1914.\nWm. Crane’s, Paris Corners.\nWednesday, January 21, 1014.\nFirst National Bank, Kenosha.\nThursday, January 29, 1914.\nAll Tuesdays and Saturdays at my\nhome in the town of Paris.\nJehu Non,\nTown Treasurer.\ndw36adv R. F. D Union Grove, Wis.\nJohn T. Yule and family gave a party\nto a number of their friends at the\nhome on Park avenue Tuesday evening.\nDinner was served at 7 o’clock after\nwiijch the balance of the evening was\nspent in playing cards aud other forms\n>f amusement.\n.Want Ad brings results.\ngte %cksraiil\\=(j[ouricr.\nMATZI UNDER ARREST.\nHusband of Alleged Woman Shoplifter,\nis Charged With Petty Larceny.\nThe troubles of Jose Matzi, husband\nof Mrs. Rose Matzi arrested some time\nago on charges of shoplifting, occupied\nthe attention of Judge Randall in the\nmunicipal court today. Early in th\'c\nday Matzi was arrested on a charge of\npetty larceny made by William Schnei\nder, a contractor, and after he had se\ncured an adjournment of this hearing\nuntil next Tuesday, Matzi himself be\ncame a plaintiff and isecured a civil\nwarrant for the arrest of William F.\nHoward and Essie O. Reading, two well\nknown contrac ors. He charged them\nwith tresspass alleging that the cor trac\ntors had entered a house on the west\nside after Matzi had taken possession\nof it under a contract to secure a land\ncontract. The land contract had not\nbeen drawn, but M.atzi alleged that he\nwas in possession of the premises.\nHoward and Reading declared that they\nhad entered the place as contractors to\nfinish up work which had been con\ntracted for before Matzi took posses\nsion They declared that they had the\n-perrtrtfsioh of Matzi and his wife to\nenter the premises. The hearing of the\ntrespass e xse is still on at the municipal\ncourt thi: afternoon but the evidence\nindieated(that the contractors had the\nbetter of the argument.\nNEW FIGURES MONDAY.\nWisconsin Gas and Electric Co. to Sub\nmit Figures for New Light Contract\nAt the first meeting of the common\ncouncil for the new year to be held on\nnext Monday evening the Wisconsin\nGas and Electric company will submit\nto the council figures for a new lighting\ncontract. R. B. Way, vice president\nand manager of the electrical depart\nment of the company has been busy\nworking out the proposition for several\nweeks and he will come to Kenosha on\nMonday ready to submit his figures.\nNo indication as to the amount to be\nasked for the lights has been allowed\nto creep out of the offices of the com\npany and the proposition will be a\ncomplete surprise to the members of\nthe council. The company has made a\nformal petition to the mayor asking\nthat the hours for lighting in Kenosha\nbe changed. The suggestion is that the\nlights be started eight minutes earlier\nin the eveniug and turned off eight min\nutes earlier in the morning. This will\nmake the schedule in Kenosha conform,\nwith tne\'s* 1 nodule now in use in other\ncities in the state. It is probable that\nthe council will give its sanction to the\nchange in the schedule.\nMARRIED AT FOND DU LAC.\nMiss Grace Morris Becomes Bride of\nTheodore Hettrick Today.\nA wedding of great interest to many\nKenosha people was celebrated at St.\nJoseph church at Fond du Lac this\nmorning w\'hen Miss Grace Morris,\ndaughter of Mr. and Mrs. C. Morris of\nthat city, became the bride of Theodore\nHot 1 "ick, well known employee of the\nSimmons Manufacturing Company. The\nceremony was performed by the Rev.\nFather Kennan in the presence of a\nsmall company of friends and relatives\nof the contracting parties, d number of\npeople going from Kenosha to be pres\nent at the ceremony. After the church\nceremoney the bride and groom were\nthe guests of honor at a wedding break\nfast given at the Morris home. Mr.\nand Mrs. Hettrick will leave late this\nafternoon for Atlantic City where they\nwill spend the\'r honeymoon. They will\nmake their home in Kenosha and will\nbe at home to their friends at 750 N.\nChicago street after February Ist.\nMrs. Hettrick was a member of the\nclass of 1913 of the Kenosha Hospital\nTraining School and she is well known\nin Kenosha. The many friends of the\nbride and groom will be pleased to ex\ntend congratulations.\nWAIVES EXAMINATION.\nItalian Charged With Burglary Declares\nHe is Victim of a Conspiracy.\nDominica DeSantise, arrested on\nTuesday by Police Officer, Frank\nMcCloskey on charges of burglary con\nnected with the burglary of the shanty\nof the section men at Berrvville, was\narraigned before Judge Randall in the\nmunicipal court this morning. He\nwaived examination and was held for\ntrial at the next term of the circuit\ncourt in bonds of $1,500. He returned\nto jail, but it was said that he would\nprobably furnish bail during the day.\nDeSantise claims that he is the victim\nof a conspiracy He declares that he\nnever saw the clothing found in his\ntrunk and asserts that enemies placed\nthe clothing in the trunk and then\nsought his arrest on charges of burg\nlary. Attorney Calvin Stewart appear\ned for the defendant at the hearing to\nday and he declared that he had good\nreason to believe the story of the de\nfendant true.\nBlondin defeated Taft for the city\npocket billiard championship by a total\nof 300 to 274. Blondin won Monday’s\ngame by 150 to 97, Taft winning. Tues\nday night by 177 to 150. Taft made\nthe high run of the match with 15.\nSchmitt will play Blondin in about two\nweek, playing 600 to 450, playing two\nnights at Dnnnebacke \'ss and two nights\nat Schmitt Bros. /\nWILL ENLARGE PLANT\nHannahs Manufacturing Co.\nAnnounces Plans For\nNotable Extensions.\nDOUSLE HI) NEXT TEXS\n■\nPlans Provide For the Building of New\nMachine Shop, Dry Kilns, Glue Room,\nPower Plant and Storage Warehouses\n—Ground Is Already Broken.\nAt least one of the manufacturing\nconcerns of Kenosha is ready to back\nits faith in good business prospects and\nannouncement is made that the Han\nnahs Manufacturing company has made\nplhns for buildings to double the ca\npacity of that company and the work\nof building will be started just as soon\nas the building season opens and it is\nprobable that the building operations\nwill cover the better part of a year.\nStarting with the erection of a machine\nroom excavations for which have now\nbeen made the company plans to extend\nnearly every part of the plant and the\nplans include the building of eight new\nbuildings. The machine room will be\none story, 85x120 feet, and adjoining it\nwill be four new dry kilns. These kilns\nwill be each 18x120 feet in size. The\ncompany installed its present kilns\nseven years ago but the system now in\nuse has become antiquated and the\nplans for the coming year provide for\nthe installation of the latest kilns of\nthe Morton company. These, when com\npleted, will give the. company a capac\nity of 40,000 feet of dry lumber daily.\nThe next building will be a new power\nplant and this plant will provide for a\nchange from steam to electric power.\nIt is the plan cf the company to change\nover the pqwer of the entire plant as\nrapidly as possible and electric units of\nthe most modern kind will be installed.\nAnother building is a glue room which\nwill be used for veneering. This build\ning will be two stories in height and\n60x220 feet. With this space the busi\nness of the company may be greatly\nenlarged. The last building in the new\nplans is a great storage warehouse two\nstories in height and 60x122 feet in\nsize.\n“We are planning to double the ca\npacity of the plant,” said L. T. Han\nnahs m discussing the plans of the\ncompany this morning. “We appre\nciate that this building work will take\nsome time but we expect to rush the\noperations as much as possible. Growth\nof the business along many lines has\nmade necessary these big additions to\nthe plant. We desire to take care of\nthe business in the best possible man\nner and in order to keep abreast of the\ngrowing business a very large increase\nin capacity has been demanded.”\nThe Hannahs company has been\ngrowing by leaps and bounds in the\npast few years and the plant is now\none of the largest of the kind in the\ncountry. Its growth lias been a matter\nof especial interest to the people of\nKenosha on account of the fact that it\nhas been the product of local brains and\nlocal capital. The company hopes to\ncomplete all of the new buildings\nplanned by the end of 1914. Of course\nthis large increase in the size of the\nplant will bring a corresponding in\ncrease in the number of men to be em\nployed by the company. The company\nhas in recent months purchased land as\nsites for the new buildings and no fur\nther land will be required to carry out\nthe plans.\nMARRIED AT WAUKEGAN.\nNels Nelson and Katherine Ryan Have\nTrouble Fighting Railway Conductors.\nThere was a Kenosha wedding at\nWaukegan on Tuesday afternoon when\nMiss Katherine Ryan and Nels Kelson,\nboth well known among the young peo\nple of Kenosha, were married at the\nparsonage of one of the Waukegan\nchurches. The wedding was not with\nout a feature as the bride and groom\nhad considerable trouble having their\nwishes carried out. They had planned\nto be married by a minister who had\nofficiated at a wedding of the bride’s\nsister a year ago, but when they reach\ned Waukegan they were besieged by\nconductors on the street ears who were\nseeking marriage business for one of\nthe Waukegan justices. They finally\nmanaged to break away from the\n“commission merchants” and found\nthe home of the minister who perform\ned the ceremony\nThe report that Henry J. Hastings\nhad returned to his home was an error.\nMr. Hastings is still at the Pennover\nSanitarium, but his physicians are hope\nful that he will be able to go to his\nhome the first part of next week.\nKENOSHA, WISCONSIN. JANUARY J, 1914.\nRING OUT. WILD BELLS!\nRing out wild bells, to the wild sKy,\nThe flying cloud* the frosty light:\nThe year is dying in the night;\nRing out, wild bells, and let him die.\nRing out the old, ring in the new.\nRing, happy bells, across the snow*\nThe year is going, let him go*\nRing out the false, ring in the true.\nRing out the grief that saps the mind,\nFor those that here we see no more;\nRing out the feud of rich and poor,\nRin* i l n &*edre.V\': S\\ x^v-.xrJ&iid.\nRing out a siowiy dying cause,\nAnd ancient forms of party strife;\nRing in the nobler modes of life,\nWith sweeter manners, purer laws.\nRing out the want, the care, the sin,\nThe faithless coldness of the times;\nRing out, ring out my mournful rhymes,\nBut ring the fuller minstrel in.\nRing out the false pride in place and blood,\nThe civic slander and the spite;\nRing in the love of truth and right,\nRing in the common love of good.\nRing out old shapes of foul disease;\nRing out the narrowing lust of gold;\nRing out the thousand wars of old,\nRing in the thousand years of peace.\nRing in the valiant man and free,\nThe larger heart, the Kindlier hand?\nRing out the darKness of the land,\nRing in the Christ that is to be.\nTennyson\nHEW SCHEDULE READY\nChange in Parcel Post Rates\nWill be Put Into Effect at\nPostoffice on Thursday.\nWEIGHT LIMIT IS INCREASED\nThe new year will bring reduced par\ncel post rates and Postmaster Baker\nand his assistants are expecting very\nlarge increases in business as a result\nof the new schedule of rates. Under\nthe new plan 50 pounds may be sent by\nparcel post within a radius of 150\nmiles and 20 pounds may be sent to\nany part cf the postal districts. The\nrates for the service under the new\nschedule are announced by the post\nmaster, as follows:\nFirst Zone —Five eenti for the first\npound and one cent for each additional\npound or fraction thereof.\nSecond Zone —Five cents for the first\npound and one cent for each additional\npound or fraction thereof.\nThird Zone —Six cents for the first\npound and two cents for each addi\ntional pound or fraction thereof.\nFourth Zone —Seven cents for. the\nfirst pound and four cents for each ad\nditional pound or fraction thereof.\nFifth Zone—Eight cents for the first\npound and six cents for each additional\npound or fraction thereof.\nSixth Zine—Nine cents for the first\npound and eight cents for each addi\ntional pound or fraction thereof.\nSeventh Zone —Eleven cents for the\nfirst pound and ten cents for each addi\ntional pound or fraction thereof.\nEighth Zone —Twelve cents for each\npound or fraction of a pound.\nPLEASANT PRAIRIE TAX PAYERS\nNOTICE.\nThe undersigned will receive taxes\nfor the town of Pleasant Prairie for\nthe year 1913 at the Merchants and\nSavings Bank, Kenosha, on January 10,\n17 and 31st, all other days at my office\nin Pleasant Prairie.\nThos. A. Yates,\ndw37adv \' Town Treasurer.\nInstallations of officers of the vari\nous Masonic bodies come in rapid suc\ncession the early part of the year. Keno\nsha Chapter No. 3, R. A. M., Friday,\nJan. 2nd., Kenosha Chapter No. 92, O.\nE. S., Wednesday, Jan, 7th., and Keno\nsha Commaudery No. 30, K. T. Friday,\nJanuary 9 th.\nFORD AUTOMOBILES.\nRoadster 5515. Touring Car $565.\nRobbins and Higgins, agents for\nFord autos at Liberty Corners, Salem,\nKenosha county, Wis. Demonstration\nat Arnold and Murdock’s garage, 119\nPark street. Phone 2263. A full line\nof parts will be carried by Arnold and\n.Murdock’s garage and Chester Hockney\nof Silver Lake. advdwtf\nTHE OLD YEAR PUSSES INTO HISTORY.\n1913, the “Hoodoo” Year, Fails to Bring Calamity to Ke\nnosha and Year Proves One of the Most Event\nful in the Opening Century in Kenosha.\nLARGE NUMBER CALLED BY DEATH AND CUPID UNITES MANY\nClosing Year Has Been an Eventful One For the Municipality and Many Things\nHave Been Accomplished For the Advancement of the City—lndustrially,\nYear Is Regarded as a “Freak,” But Factories Show Big Growth—Schools\nAttain High Standard in Offering Practical Education to Working People of\nthe City—Park System Is Subject of Agitation—Many Problems Left Open\nFor the New Year to Give the Solution.\n“Ring out the okl, ring in the new.”\nThe year 1913 has passed into his\ntory. It has been a year of joy and\nsorrow in Kenosha and it has brought\nits blessings and its pains. The year\nhas not been a notable one along any\nlines and there have been few great\nevents to make it stand out prominent\nly in the history of the city. Regarded\nas a hoo-doo year from the start peo\nple have dreaded the coming of calami\nties, yet few years have found less as\ncidents in Kenosha. There have, of\ncourse, been shadows in many hearts,\nbut these have been counterbalanced\nby joys in the hearts of others. The\ndeath rate in Kenosha during the year\nhas been a normal one. The city has\nbeen free from any serious scourge of\ncontagious disease, this being in\nstrange contrast to the preceding year.\nThere has been an unusually large\namount of crime in the city during the\ntwelve months and the courts have been\ncorrespondingly busy.\nIn the affairs of the municipality the\nyear has been one of many accomplish\nments. There has been large extensions\nof the paving and sewer systems of the\ncity. Much has been done along lines\nof systematizing the affairs of the var\nious departments and commissions un\nder city rule. The old trunk sewer\nclaim bogey laid over to 1913 by the\nformer year has been dispose! of in a\nmanner favorable to the city and fair\nto the contractors. Ashland avenue has\nbeen opened. The city has had much\ntrouble during the year in seeking to\nsecure better service from public utili\nty corporations but with the closing\nof the year it appears that most of\nthese problems have been satisfactorily\nmet. The new north side trunk sewer\nhas been started and is nearing comple\ntion, plans are under way to secure\nfiltration for the city water. The big\ngest problem that is being left over to\nthe new year is the problem of ar\nranging the tracks of the North-\nWestern Railway Company aud the\nproblem of securing the entrance of the\ninterurban cars to the heart of the\ncity. This problem was solved early\nin .1913, but the solution was found to\nbe an incomplete one.\nFinancially, the year has been a bet\nter one for the city than the preceding\none and, while taxes are higher than in\n1912, this was made necessary by the\ngreat increase in the state taxes.\nThe Industrial Year,\nAmong the industries of Kenosha\n1913 was a freak year. Up to the first\nof November it\' gave promise of prov\ning a record breaking year so the man\nufacturers, but the last two months of\nthe year have brought a slump. This\nis declared to be only temporary and\nmanufacturers agree that the opening\nof the new year will see nearly all the\nworkmen of Kenosha back in their old\npositions. No new industries of any\ngreat size have been established in the\ncity but a number of small plants have\nbeen opened and these promise to grow\ninto much greater industries before the\nend of another year. Many of the lo\ncal plants have made large additions\nduring the year and the number of em\nployed men and women in the city lias\nbeen increased.\nSchools Broaden Out.\nOne of the notable developments of\nthe year just closing was the broaden\ning out of the w\'ork of the publie\nschool system. Kenosha has done much\ntoward extending practical education\nfor its working classes and the city is\ndeclared to be a model for other cities\nin the state. Coupled with these move\nments have been movements for larger\nand better schools and for the build\ning of the new high school. The play\nground movement has been one of the\nreal live questions in Kenosha during\nthe year and plans which have matured\npromise to offer an early solution for\nthis problem in Kenosha.\nActive work has been done during\nthe year toward the extension of the\npark system of the city. This is cer\ntain to bear fruit within another year.\nNotable among the year’s accomplish\nments in the city was the completion\nof the wall about the Kenosha ceme\ntery. This is regarded as one of the\nOldest Paper\nIn\nThe Northwest\nNUMBER 36\nmost beautiful and substantial pieces\nof work ever done in Wisconsin.\nKenosha has added quo new church\nduring the year, the St. Anthony\'s\nchurch having been opened only a few\nmonths ago.\nThe most notable events of the year,\narranged in chronological order, fol\nlow:\nJanuary.\n3. Kenosha people give noisy wel\ncome to hoo-doo New Year. Frank Ot\nto sends first parcel post package\nthrough Kenosha postoffice.\n2. Death of Mrs. Elizabeth Guiles.\nThomas B. Jeffery Company advances\nmen long in service. Death of Mrs.\nMartha Jacobi. United States court\nsets aside sale of Chicago & Milwaukee\nElectric Railway.\n4. North-Western Railway Company\nannounces plan for new yards for Ke\nnosha.\n5. Louis Brittale shot by Frank\nlaquento in street fight.\n.6 New officials of the county are\nplaced in office. Telephone company\nwins suit for collection of rentals. First\nreal snow storm of the year strikes Ke\nnosha.\n7. Thomas Hansen & Sons bm\np&iiy chartered by the state.\n8. Stanley Conforti wanted for Chi\ncago murder captured in Kenosha. O.\nD. Burkholder, assistant director of\nArt Institute in Chicago speaks to Ke\nnosha Woman ’s Club. Death of David\nDwyer.\n9. Polo league has first game in Ke\nnosha. Death of Mrs. Charles M.\nBarnes. C. D. Pennison, manager of\nKenosha Gas and Electric Company re\nsigns.\n10. August Baltzer announces his re\ntirement as city engineer.\n11. Death of Mrs. Joshua Coshun.\n12. Death of former sheriff Dr. John\nH. Veitch. Death of Myles O’Malley.\n13. Ice harvest is started in Keno\nsrfa county. Death of AloysTus Leise.\nDeath of Mrs. Lucy J. Cady. Mrs.\nMary Ryder, Jong sought by husband,\nlocated in Kenosha. Announcement i 3\nmade that Dewey Hardware Company\nwill quit business.\n14. Directors of Central Leather Co.\nvisit Kenosha plant. William Owens is\nkilled by train south of Kenosha.\nBoard *of Education votes to enlarge\nBain school.\n15. Death of Matthias Orth. Sim\nmons factory men hold a banquet at\nHotel Borup. Death of James G. Moe.\nNew harbor bill provides $24,000 for\nKenosha.\n16. Charles L. Marsh dies at Bristol\nhome. Madame Blumenthal disappears\nfrom Kenosha.\n17. County Board kills plan for>\nbuilding county tuberculosis hospitaL\nState Industrial commission hears many\ncases in Kenosha. Mayor Head forces\nrailway company to obey new traffic\nordinance.\n18. Mountain House on Grand ave\nnue looted by burglars.\n19. Death of Mrs. Louise Locke\nMatzke. William Karpowich shoots his\nsweetheart Anna Antonowicz in a fit\nof jealous rage. L. T. Crossman, secre\ntary of Kenosha Y. M. C. A., accepts\ncall to Rome, N. Y. Death of John\nMich.\n20. Death calls “Old Tom” Duffy.\nMarriage of Miss Frances Fencil and\nDr. O. E. Bellew in Milwaukee.\n21. Marinette officials visit Kenosha\nfire department. Death of Hugh\nMooney of Brighton.\n22. Death of Mrs. Sarah Strong My\nrick. Marriage of Miss Elizabeth\nMisehler and J. S. Dederich.\n23. State railroad commission hears\nevidence against utility conipanies.\nHeal/h board orders vaccination of men\n| exposed to small pox. Kenosha named\nias leader in : f ate report on night\nI schools. North-Western Ry. Co. gets\n1 title to large tract of land at Berry\n; ville. Annual Jewish charity ball at\nthe Academy.\n24. Death of Philip Wade. Supreme\nPresident E. A. Williams of Equitable\nFraternal Union visits local lodge.\n25. Death of Mrs. Elizabeth Schend\nMills.\n26. Dominick shoots acd', 'batch': 'whi_fanny_ver01', 'title_normal': 'telegraph-courier.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85040310/1914-01-01/ed-1/seq-1.json', 'place': ['Wisconsin--Kenosha--Kenosha'], 'page': ''}, {'sequence': 1, 'county': ['Pierce', 'Saint Croix'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85033255/1914-01-01/ed-1/seq-1/', 'subject': ['River Falls (Wis.)--Newspapers.', 'Wisconsin--River Falls.--fast--(OCoLC)fst01206049'], 'city': ['River Falls', 'River Falls'], 'date': '19140101', 'title': 'River Falls journal. [volume]', 'end_year': 2019, 'note': ['Available on microfilm from The State Historical Society of Wisconsin.', 'Description based on: Vol. 16, no. 9 (Aug. 23, 1872).', 'Editors: S.R. Morse, Feb. 23, 1911-Jan. 1, 1925; E.H. Smith, July 5, 1928-June 13, 1929; C.E. Chubb, April 5, 1945-June 27, 1957; G.M. Kremer, July 4, 1957-July 24, 1958; J.V. Griggs, Aug. 23, 1984-', 'Merged with: Hudson Star Observer, and: New Richmond News, to form: Star-Observer.', 'Published also in a weekly ed., Aug. 5, 1873-June 24, 1874.', 'Publisher: A. Morse & Son, <1874>.', 'Semiweekly issues distinguished as 1st and 2nd editions, July 22, 1873-Mar. 20, 1874.', 'Supplements accompany some issues.'], 'state': ['Wisconsin', 'Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'River Falls, Pierce County, Wis.', 'start_year': 1872, 'edition_label': '', 'publisher': 'A. Morse & Co.', 'language': ['English'], 'alt_title': [], 'lccn': 'sn85033255', 'country': 'Wisconsin', 'ocr_eng': 'Advertising\nIf you are fairly “good at figures” you\nwill quickly convince yourself that it\npays to read the advertisements and\npatronize The Journal’s advertisers.\nVOL. 57\n. ■ . • • .1\nL. \' I -\nW IM - u ! “ \' —t— 1\n■ ml I • < \' — —\nJr —if f\'\n■>II f • J\nKMI li I 1 1 i * ~ i\nBaXw I M a!\nPOPULAR TALKS ON LAW\nBy Walter K. Towers, A. 8., J. of the\nMichigan Bar.\nWho Owns the Air?\n“Free as air” is ard\nso long as man had not succeeded in\nmastering the air this was true\nenough. There was air sufficient\nfor f I of us and as none could nay\nigate it with any success, questions\nof the control of the air did not\narise.\nBut now we the aeroplane\nand the airship and we are ; n what\npromises to be the beginning of an\nage of aviation. So it is that the\nlaw is beginning to develop: to keep\npace with the development of aero\nnautics. As yet flying machines are\nfew in number, but it seems that\nwe may well look forward to a time\nin the not far distant future when\nthe passage of aeroplanes and air\nships above us will be no uncom\nmon spectacle. What right has the\naeronaut to pass above our proper\nty? What are his liabilities in case\nhe causes injuries to those below\nhim? These and many similar\nquestions are arising, and the law\nis preparing to answer them as\nthey arise.\nIf one passes over your land, on\nthe surface, without your permis\nsion, be has committed a tresspass\nand though he may have caused no\nappreciable damage to your prem\nises, you may recover small dama\nges in a court of law by way of vin\ndication of your rights. What are\nyour rights against the aeronaut\nwho passes through the air above\nyour property? It is a fundamental\nrule of English law that a person’s\nproperty extends indefinitely down\nward and indefinitely upward. This\nrule has existed since the beginn\nings of law, and qnder it one has\ncontrol of the area above his land.\nA strict observance of this rule\nwould lead to this result: An aero\nnaut who passes above your land is\na technical trespasser, and though\nhe drops nothing upon you or yours,\nthough he cause you no real injury,\nhe has violated your rights —he has\ntrespassed—and you may sue him\nand recover damages. Such would\nbe the logical result of the applica\ntion of the law as it has long exist\ned in English-speaking countries.\nBut it seems highly improbable\nthat the law will be allowed to re\nmain in this condition. Aviation\nhas come to stay and it would seem\nto be a necessity that aeronauts be\nallowed to pass freely over the\nproperty beneath, whether it be pri\nvately owned or a public highway.\nThis necessity seems certain to\ncause a change in the law, which is\nlikely to come in the form of legis\nlative enactments concerning flying\nmachines. The French have already\ntaken action, a law having been re\ncently enacted which extends to\naeronauts free right to navigate the\nair, passing where they will. The\nnation retains the general control\nof the air, however, so that it may\nprevent any but French airships\nfrom flying over French territory,\nand make such regulations as may\nbe necessary.\nAmong the American states Con\nnecticut has taken the lead in pas\nsing legislation of this character.\nA law entitled “An Act Concerning\nthe Registration, Numbering, and\nUse of Air Ships, and the Licensing\nof Operators Thereof” was passed\nby that state in 1911. Under this\nlaw airships are subject to rules\nsimilar to those generally applied\nto automobiles. The owner must\nfile certain information with the\nSec. of State, pay a fee, receive a\ncertificate entitling him to fly, and\na number. This number must be\ndisplayed on the airship in letters\nnot less than three feet in height.\nAirships may be operated only by\nlicensed aeronauts.\nThis law fixes the responsibility\nfor all resulting damages in the fol-\nWE WISH YOU ALL A HAPPY AND PROSPEROUS NEW YEAR.\nThe River Falls Journal\nlowing section:\n“Every aeronaut shall be respon\nsible f>r all damages suffered in\nthis state by any >- son from injuries\ncaused by any voyage in an airship\ndirected by such aeronaut; aud if\nhe be the agent or employee of an\nother in making such voyage his\nprincipal or employer shall be re\nsponsible for such damage.”\nThe states of Massachusetts and\nNew York are considering similar\nlegislation and before many years\nit seems probable that every state\nwill have acted on this subject.\nThe question of fixing the respon\nsibility for damages, which b«s\nb ;en cared for in the Connecticut\nact, is one that is likely to be of\nimmediate importance. The dan\ngers of airships passing over prop\nerty are considerable. Parts, bag\ngage, or ballast might be dropped,\ncausing injury to persons or pro\nperty beneath. The fall of an aero\nplane upon a city might occasion\nsevere damage to those on land, as\nwell as to the unfortunate aeronaut\nBut fancy the damage resulting\nfrom the collision between two\ngiant airships of the Zepplin type\nWith the present interest in avia\ntion and the popular encourage\nment which it is receiving, the atti\ntude of the lawmakers is likely to\nbe favorable to them as far as\ngranting to them the right to freely\nuse the air is concerned Landown\ners are not likely to endeavor to de\nmand a fee from aeronauts passing\nover their property. The legisla\ntors are likely to grant great free\ndom of passage and the courts are\nlikely to sustain the legislation. Of\ncourse, a property owner might ob\nject that when the legislature grants\nthe right to navigate the air freely\nit gives a right to pass over his\nland and thus takes away from him\na portion of his property. Such a\ncontention, if made, will raise some\ninteresting cases, the result of\nwhich no one can foresee.\nBut as to fixing the responsibility\nfor injury resulting from the opera\ntion of airships, the law seems in\ndined to hold the aeronaut to strict\naccount. If the aeronaut wishes to\ntake the risk of riding in the air, he\nmust further take all the risk of\ncausing injury to persons or prop\nerty over which he passes. As mat\nters stand now, even in the absence\nof a statute fixing the responsibili\nties, as in Connecticut, a person in\njured by an airship may almost cer\ntainly recover damages from the\naeronaut. If a passing airship lets\ntall any object which injures your\nproperty you may sue the person\nwho is responsible for the operation\nof the airship.\nA few cases have already arisen\nin England. A British aeronaut\nwas driving his aeroplane and at\ntempted to descend into a field. The\nfield was occupied by a cow and the\ncow apparently resented the appear\nance of this strange object from\nabove. As the aeroplane descended\nthe cow rushed toward it, making\nhostile demonstrations. The aero\nnaut endeavored to avoid the infur\niated bovine, but was unsuccessfull\nand her cowship succeeded in plung\ning beneath the machine just as it\nreached the earth. The resu.ts\nwere disasterous to the cow, and\nthe sequel came when the farmer\nwho owned the cow sued the aero\nnaut and recovered damages for\nthe loss of the cow.\nThe aeroplane has found its way\ninto the classified ad columns as\nwell as into the courts, as witness\nhe following interesting ad which\nappeared in a German newspaper:\n“Lost from an aeroplane, a gold\nwatch and chain. Last seen disap\npearing in large stack of rye on a\nfield near Ulzen.”\n(Copyright, 1913, by Walter K. Towers )\nThe insurance business of Jay H.\nGrimm has been moved to room 107\nTremont Building. —adv.\nRIVER FALLS, WISCONSIN, JANUARY ), 1911\nCHRISTMAS SEALS\nRed Cross Christmas Seals were\nsold in River Falls as follows: by\nchildren of the Public School $34.18,\nby the Normal School $5 71, by the\nmerchants $4 01, total for the city\n$43 90. This is a larger sale than\nhas ever been made in River Falls\nbefore yet is not up to what neigh\nboring cities of this size are doing.\nBy the generosity of the River\nFalls business men the following\nprizes were awarded to the children\nof the Public School who sold the\nlargest number of seals.\nBessie Morrow - $1.50 in mer\nchandise by J. W. Allard.\nHelen Smith - $1.50 in mer-\nchandise by Stewart Merchantile\nCo.\nEdward Lundeen - pair of Skiis\nby A. W. Lund.\nMargaret Smith - Jersey by\nJohnson & Cranmer.\nEsther Maier - cap by Hage\nstad & Co.\nFlorence Parsons - piece of crock\nery by Norseng Bros.\nHarold Baker - pair of skates by\nDr. Cairns\nDr Cairns,\nLocal Manager\n“WHERE THE TRAIL DIVIDES”\nDrama Pleases Large Audience ai Gales\nburg. Will Appear Here <Jan. 22\nWith a cast of characters seldom\nexcelled in any way. “Where the\nTrail Divides” was ably presented\nat the Auditorium Theatre Tuesday\nevening, and it was witnessed by a\ngood house. The play is a clean\none and many points which are in\nspiring to fairminded lovers were\nforcibly presented by the players,\nin their appearance here.\n‘Where the Trail Divides” is a\ndrama mixed with comedy and sad\nness in four acts, dramatized from\nWill Littlebridge’s novel of the same\nname. It was indeed favorably pre\nsented here by C. S. Primrose,\nwhose fame is wide-spread.\nThe scenes are interesting and\ntypical of the far west life. Ralph\nBurt, as Bob Manning, the old\ncountry storekeeper who tries to do\nthe right thing all the way through,\nand Edward Helms, playing the\npart of Ma-Wa-Cha-Sa, the Indian\nknown as How Lander, were the\nstars. Elizabeth Lander’s part\nwas very capably played by Miss\nElizabeth Gilmore, a handsome\nbrunette with a splendid figure,\nwho decides to marry an Indian\nand live with him, despite the strong\ncoaxing of Archie Anderson, who\nwas also an interesting character\nin the presentation here.\nRolle B Williams and Clayton\nCraig have important parts in the\nplay and their work was highly\ncomplemented by Galesburg people\nDaily Republican Register, Gales\nburi?\', 111., Wednesday, Oct 8. 1913\n“Where the Trail Divides” will\nappear at the Auditorium, River\nFalls, Wis., January 22, 1914.\nCONTRACTORS’ NOTICE\nNotice is hereby given that the\nboard of directors of the River\nFalls Co-operative Creamery Co.\nwill receive sealed bids for the erec\ntion of a Creamery Building Jan. 15,\n1914, at 2:00 P. M., at H. A. Hage\nstad’s store.\nThe structure to be built of ce\nment blocks lined with hollow tile,\ndimensions of main building 66x36\nft., 14 ft. in height with annex boiler\nroom 24x26. Building to be erected\nas early as possible in the spring.\nPlans and specfications on file at\ncreamery.\nBids to be accompanied by Certi\nfied check for S2OO 00.\nThe board reserves the right to\nreject any cr all bids. —adv.\nFor the candy hungry boy —give\nhim Shepard’s “Strained” honey\nNORMAL SCHOOL REGENT\n>\n3 .\n7\nP. W. RAMER\nGovernor McGovern last week\nappointed Mr. P. W. Ramer, of this\ncity, to succeed Hon. George\nThompson, of Ellsworth, as the\nlocal member of the State Board of\nNormal School Regents. Mr. Ramer\nis indeed well qualified to fill this\nposition an J all interested in the\nRiver Falls Normal school feel th t\nwith Mr Ramer as Regent, and Mr,\nCrabtree as President, the business\nof operations of this institution\nwill be in most competent hands,\nand that the school should continue\nits prosperity with certain, steady\nstride.\nHon. George Thompson resigned\nhis regentship a short time ago to\naccept the position of Circuit Judge\nof this district. His term as regent\nwould have expired the first Mon\nday in February, 1914.\nKNOWLES SUCCEEDS\nTHOMPSON\nAtty. W. P Knowles, of this city\nhas been appointed by Governo>\nMcGovern to succeed Judge Thomp\nson as district attornev of Pierce\nCounty. Mr. Knowles will com\nmence his duties in this office next\nMonday.\nIn this appointment the Governor\nhas made a choice highly satisfac\ntory to the people of this district.\nMr. Knowles is a talented and able\nattorney and he is well qualified for\nthe duties of this office. He has\nalways shown a hearty interest in\nthe public welfare and has backed\nthis interest by lots of hard, con\nscientious work His friends in this\ncommunity are glad to note this\nreward for his past services, and all\nfeel certain that his career in this\noffice will be marked with decided\nand brilliant success.\nAN APPRECIATION\nMann Valley, Wis ,\nDec 27, 1913.\nEditor,\nRiver Falls Journal.\nYour paper has been a welcome\nvisitor in our home for some years\nand we thought that a word of ap\npreciation might be encouraging to\nyou.\nWhile the news of course are the\nitems first looked for, we find it\nbrim full of other instructive and\ninteresting reading matter.\nWe have especially been glad to\nnotice a sermon by Pastor Russell,\nwhich we read with great interest\nand find it highly instructive and\nhelpful, making it more easy to\nunderstand the bible. He seems ot\npreach a little different from other\npreachers in that he is speaking of\nthe Millennial reign o f Christ\nspoken of in the Opokotypce which\nall other ministers seem to ignore.\nHoping to see it continued, ve\nare wishing you a prosperous New\nYear.\nN. P. Swenson, and family,\nR. R 4, City.\nH. A Blodgett, president of the\nBrown, Treacy & Sperry Co , was\nelected president of the St Paul\nCommercial Club on Tuesday of\nlast week. Mr. Blodgett purchased\na farm adjoining Ilwaco Springs\nand spends the summer months\nthere with his family.\nWASHINGTON\nFROM JAMES A. FREAR, MEMBER OF\nCONGRESS, 10th DISTRICT\nTwenty thousand people gathered\nChristmas Eve in front of the Capi\ntol to celebrate a community Christ\nmas tree. The President’s band\nwas stationed near the main steps.\nOn the lower steps were a thousand\nsingers who contributed their ser\nvices, while above and in front nl\nstatuary on either side of the en\ntrance were the wise men from the\nEast, angels with outstretched\nwings, Babe in the Manger and oth\ner figures in a series of tableaux.\nOut on the p.aza a few yards dis\ntant stood a huge Norway pine,\ncovered with thousands of incan\ndescent lights, with a brilliant elec\ntric star glistening from the top\nmost branch. Calcium lights thrown\nupon the figures added to the beau\nty of the occasion so that betw en\nmusic, lights and tableaux, it all\nemed a veritable faryland\nFrom where I was standing on\nthe steps, the spectacle was inspir\ning and it occurred to me that al\nthough every Preside t from Wash\nington and Lincoln down to Wilson\nhad looked cut from the same p irr\nand across the same plaza, none had\nwitnessed a more beautiful or im\npressive scene. No presents were\niven, no was slighted and do\nneart burnings followed Everybody\nwas welcome and the last remem\nbrance of the occasion was had\nfrom a mammoth electric sign\nreaching a hundred feet above and\nacross the main entrance of the\nCapitol, bearing the message to\n\'ens of thousuads, “Peace on Earth,\nGood Will to Men.”\nSenator LaFollette’s seaman’s\nnill has brought forth many protests\ntrom the shipping interests along\nlake Michigan. As it passed the\nSenate the bill requires a sufficient\nnumber of life boats to carry all\npassengers. This may create some\ninconvenience or additional expens\nout the gilded parlors of the Titanic\noffered little comfort to those who\nwent down because of lack of boats\nThese protests argue that liyes\nare much safer on the lakes than on\nthe ocean although generally speak\ning lake passenger boats are unable\nt > get near the shore because (f\ntheir draught and it would be as\ndisagreeable •> be drowned within\na few yards of shore as out in the\nmiddle of the ocean. One of th\nminagers of a line of lake vesse s\nwas heard to say he would not risk\nhis family on a nignt trip across\nthe lakes, because of the possibility\nof fire or other accident and con\nsequent loss of life. Under present\nconditions life boats are not pro\nvided for one-tenth of the passen\ngers on the average vessel, which\nillustrates the good judgment of\nthis manager in his desire to pro\ntect his own people from danger.\nLaFollette’s bill extends full pro\ntection to every passenger whether\nriding on the lake or ocean, or in a\nluxurious first cabin or down in the\nsteerage.\nCongressman Hayes of California\nis the senior member of the Re\npublican minority of the Banking\nCommittee that handled the cur\nrency bill. He is an experienced\nbanker and because of position on\nthe Committee assumed charge in\nthe House of the discussion against\nthe measure. On the night the bill\npassed, Mr Hayes was in the street\ncar bound for the White House,\ngoing at the President’s invitation\nto witness his signature to the new\nlaw. Previous to the bill’s passage\nI had briefly discussed it with Mr.\nHayes and now that it is no longer\nan issue, I asked for his frank\nopinion on its probable effect on\nbusiness. He answered that the\nnew currency law was better than\nthe old act which authorized Nat-\nSOCIAL AFFAIRS\nMiss Eya White entertained\ntwenty couples at progressive rum\nmie Monday evening. Mrs. Con\nstance .Thorsen won the honors,\nvhile Mr. H.. Rudow was awarded\nthe consolation prize.\nA number of the young men of\nthe city, who are teaching or at\ntending school out of town, enter\ntained at a private dance in Syn\nlicate hall last Friday evening.\nMiss Gertrude Mossier chaperoned\nhe party. There were twelve\ncouples in attendance.\nMiss Gladys Stiles entertained at\ncards Tuesday evening.\nMr Earle Whitcomb had as guests\nat dinner Monday evening fellow\nmembers of the Acacia fraternity,\nwho are spending the holidays at\ntheir homes here, and their ladies\nIn the party were Mr. and Mrs.\nWarren Clark, of Beulah, Mich.,\nMiss Coie Winter, Miss Eva White,\nMiss Renee Romdenne, Mr. Ott\nWinter, and Mr. Henry Rudow\nThe social hop at the Auditorium\nnst evening was a very pleasant\naffair and was well attended.\nMr and Mrs Everett Fuller, Mr.\nand Mrs. A. M. Baldwin and Mr\nand Mrs. W E Tubbs entertained\nT a cards at Syndicate\nH I Monday evening. The hall\nwas beautifully decorated for the\noccasion. Refreshments were ser\nved in cafaterea style, tables\nbring placed on the dancing flooi\nwhile the guests were collectin’,\ntheir dishes and delicacies “"at the\ncounter.” Music was furnished by\nan orchestra consisting of Mr.\nJohn E. Howard, and Messrs. Crane\nand Zimmerman, of Hudson.\nDuring the general exercise per\n>od at the Normal school this morn\ning, John Kuehnl, a student in the\npolitical science class, gave a\nthorough and highly interesting talk\non the features of the workmen’s\ncompensation act. He explained\nthe law and its exact application to\nboth employer and employee\nOshkosh Daily Northwestern. Mr\nKuehnl was.a member of the 1913\ngraduating class of the River Falls\nhigh scho’U\nThe baseball game scheduled for\nChristmas morning was called off on\naccount of the sudden drop in the\ntemperature, and the accompany\ning snow flurry.\ni >nal Banks to issue currency based\non the two per cent government\nbonds While the law had several\nobjectionable features including\nthe partizan makeup of its Federal\nBoards, he belived the good feat\nures outweighed the objections and\nsuccess or failure would largely\ndepend upon its administration\nInflation of the currency’might be\n| brought about through poor man\nagem -nt he said, but he conceded\nthat money string ncies like that of\n1907 were not likely to ever occur\nagain. Mr. Hayes’ judgment will\nbe accepted as that of a financier\nwho ought to know and, on the\nwhole, it is importan- to learn that\nhe believes the new law is an im\nprovement over the old one. On\nthe final vote Cooper, Stafford,\nCary, Esch, Lenroot, Nelson and\nthe writer together with the Demo\ncratic members of the Wisconsin\ndelegation joined 80 per cent of the\nHouse Members in support of the\nmeasure.\nC ingress meets after the recess\non January 12th with many import\nant matters to consider. During\nthe recess, time is given to meet re\nquests from constituents who have\ndifferent interests before the De\npartments and it also gives extra\ntime in which to clear up corre\nspondence that reaches to scores of\nletters every day.\nJob Printing\nThat is a part of our business, and we\npride ourselves in doing the best\nand neatest kind of work, i’atroiti/.e\nthe .Journal Job Print. Quick service.\nTHIRTY-SIX YEARS Afifl . £ 45\nT«ksn Fro.n The River Falls Jjurnal\nof January 3,1878\nSumner A. Farnsworth,\nwho is teaching at Brainerd, .viuin ,\ncame down to spend his vacitim\nwith his parents. Minnesota weath\ner seems to agree with him.\nDuring the warm weather of the\npast week many farmers hereabouts\nresumed plowing; we also hear of a\ntew who sowe 1 wucat.\nMessrs. Clint Winchester and\nHersey Lord, with their families,\nspent the holidays at the lumber\ncamp of Jake Lord, Esq., at Hink\nley.\nA new paper has just been start\ned at Durand called the Pepin Coun\nty Courier, edited by Mr. W. H.\nHuntington.\nFrank Thayer, of the Pierce\nHouse, while out hunting last\nTuesday, came in contact with a\nlarge gray wolf that did not seem\ndisposed to bear kindly with the\nsalute from Frank’s revolver, and\nmanifested a strong desire for re\nvenge, out the timely arrival of the\ndog that “dispersed” the vicious\nanimal prevented what might have\nOeen a serious encounter.\nWe understand that Sherlock\nWales wii) return f I>(n his trip to\nCau tda ccouip . .u-o py one of the\nfair sex ..s his u.ide.\nMartell has six acres of apple\nrees growing.\nJo. Wadsworth is running an ex\npress for the accomodation of the\ncitizens of this village.\nOBITUARY\nWILLI \\M Al tCLT AN\nThe funeral of William Mac Lean\nwas he\'d from the family home,\nfour miles from Prescott, at two\no’clock Tuesday P. M., December\n23, Rev. Evert officiating. Inter\nment was made in Pine Glen cem\netery.\nOn Sunday in the early afternoon,\nMr. Mac Lean quite suddenly de\nparted this life after an heroic\nstruggle for weeks at St. John’s\nHospital, St. Paul, Minn. His\nwholesome life and his sturdy\nScotch blood of inheritance carried\nhim thru two severe operations,\nbut death has snatched him away,\njust as his friends were most hope\nful ot his recovery and return to\nhis home.\nSo brave, so honest, so genial, as\nboy and man, so tender and gentle\nwith every living thing, a devoted\nson to his mother in her declining\nyears, the kindly neighbor, these\ntraits have won for him all honor\nfrom the people of his home town\nand birthplace. Mr. Mac Lean was\nborn near Prescott March 27, 1877.\nHe was married to Margaret\nRoberts on the second day of March\n1912. Their brief but ideally happy\nmarried life will be a soothing\nmemory to his family.\nHis devoted wife and brothers,\nR. B. Mac Lean of St. Paul, Minn ,\nand Lee Mac Lean of Prescott\nspent these anxious weeks at Will’s\nbedside or within c; 11.\nIn their deep grief they must\nsurely be comforted with the ten\nderest and choicest memories of\nWill all along the way they have\ntraveled together on earth.\n"The good that men do lives\nafter them.” * * *\nGilbert R. Thurston, a pioneer\nresident of Ellsworth, died sud\ndenly of heart failure the 23rd inst.\nat his home in that village. He\nwas seventy-two years of age. He\nis survived by his wife and three\nchildren, Joseph E., W. Earl, and\nMiss Kuie. Mr. Thurston was a\nveteran of the Civil war, having\nserved in Co. C, 30th Wisconsin.\nNO. 43', 'batch': 'whi_hegmeister_ver01', 'title_normal': 'river falls journal.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85033255/1914-01-01/ed-1/seq-1.json', 'place': ['Wisconsin--Pierce--River Falls', 'Wisconsin--Saint Croix--River Falls'], 'page': ''}, {'sequence': 1, 'county': ['Dodge', 'Jefferson'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85040721/1914-01-02/ed-1/seq-1/', 'subject': ['Watertown (Wis.)--Newspapers.', 'Wisconsin--Watertown.--fast--(OCoLC)fst01212850'], 'city': ['Watertown', 'Watertown'], 'date': '19140102', 'title': 'The Watertown weekly leader. [volume]', 'end_year': 1917, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Available on microfilm from The State Historical Society of Wisconsin.', 'Editor: E.W. Feldschneider, Dec. 19, 1913-Dec. 29, 1914.', 'Issued also in a daily edition called: Watertown daily leader, March 6-<July 31, 1916>.', 'Publisher varies.'], 'state': ['Wisconsin', 'Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Watertown, Jefferson County, Wis.', 'start_year': 1912, 'edition_label': '', 'publisher': 'W.L. Swift', 'language': ['English'], 'alt_title': ['Weekly leader'], 'lccn': 'sn85040721', 'country': 'Wisconsin', 'ocr_eng': 'THE LEADER\nhas a large circulation in Jefferson and\nDodge Counties and is a good advertising\nmedium. A trial will convince you. :-; :\nE. W. FELDSCHNEIDER. Editor and Publisher.\nST. MARY’S\nHOSPITAL SOLD\nCatholic Sisters of Techny. Illinois.\nClose the Deal This\nWeek\nThe Sisters of the Holy Ghost of\nTechny, Illinois, have purchased St.\nMary’s Hospital in this city and are ex\npected to take charge of it in a short\ntime. The hospital was established in\nin 1007 and under the able management\nof Dr. C. J. Hahhegger has flourished\nand has become widely and favorably\nknown, having been of invaluable ser\nvice to the community and was a God\nsend to many. The Sisters will take\ncharge of the hospital in a few days.\nDr. Hahhegger will continue his practice\nhere.\nSell 11.450 Seals\nLincoln school captured a majority of\nthe honors in the seal selling contest\nclosed last week. Their efforts are large\nly responsible for a lug sale of the little\nstickers offered for disposal by the Anti-\nTuberculosis society, a loial of 11,45f\nstamps having been sold by the pupils\nof the city schools. Sales by pupils in\nthe rural schools and at Northwestern\ncollege and others will swell this number\nconsiderably.\nThe names of the winners and\ntheir school are as follows:\nMargaret Tauck, First grade. Lincoln.\nCharles Fading, Second grade, Lincoln.\nMargaret Boelt, Third grade, Douglas.\nLouis Werner, Fourth grade, Lincoln.\nChas. Kohu, Fifth grade, Douglas.\nLouise Koenig, Sixth grade, Douglas.\n\\ iolet Wolfram, Seventh grade, Liu\ncoln.\nMary Woodard, Marie Schmutzler,\nEighth grade, Lincoln, tie.\nHerbert Eugelke, High school.\nThe prize for the highest individual\nwas won by Kay Simon. Prize winners\nmay secure their prizes Monday at Carl\nNuwack’s furniture store, where they\nhave been on exhibition the past week.\nWisconsin Inventors\nThe following patents were just issued\nby D. Swift &Cos., Patent Lawyers, Wash\nington, D. C., who will furnish the copies\nof any patent for ten cents apiece to our\nreaders. Theodore C. A moth, Madison,\nHorseshoe; Henry M. Bnllis, Milwaukee,\nPrinting press attachment: Charles E.\nCleveland, Fond du Lac, Twin band saw\nmill; George K. Do Wein, Milwaukee,\nVanner; Otto M. Gilbertson. La Crosse.\nMachine for cutting and feeding sani\ntary paper covering for closet seats;\nMichael Iverson, Stoughton, Surgical\nappliance; Theodore W. Jordon, Milwau\nkee, Trolling device; Fred N. Lang, Bay\nfield, adhesive plaster; John K. Mo He,\nWausau, Hue spacing mechanism for\ntypewriters.\nSerial By Robert W. Chambers\nWe doubt if there is a reader of the\nLeader who is not familiar with the writ\nings of Hol>ert W. Chambers, one of the\nforemost of present-day popular authors,\nand for that reason the announcement\nthat one of his best stories, “The Maids\nof Paradise,” is to appear in this paptr\nin serial form will excite more than or\ndinary interest. If you like good fiction\nyou will enjoy this rushing story of the\nFranco-Prussiau war of 1870. Our issue\nof Jan. 14 will contain the first install\nment.\nElect Officers\nAt the annual meeting of the Build\ning Trades Council the following\nwere elected:\nPresident—Henry E. Krueger.\nVice President—Henry Hoffmann.\nTreasurer —Ewald Kaliebe.\nRecording secretary —Hugo Laabs.\nFinaueial secretary —Harry Schlueter.\nBusiness agent Henry K. Krueger.\nMany Autos\nAccording to the returns of the sever\nal town and city assessors there are 433\nautomobiles in Jefferson county, the fixed\nvaluation being §272,810; and yet we hear\nmuch of hard times and sighs for the\n“poor peeple.” The returns show that\nthere are 13 in the town of Konia; Con\ncord 14; Farmington 14; Watertown 8\nand 03 in the city of Watertown.\nWorms the Cause of Vo ir Child\'s\nPains\nA foul, disagreeable breath, dark cir- 1\nales around the eyes, at times feverish,\nwith great thirst; cheeks flushed and\nthen pale, abdomen swollen with sharp\ncramping pains are all indications of\nworms. Don\'t let your chila suffer—\nKICKAPOOWORM KILLER will give\nsure relief —It kills the worms—while\nits laxative effect add greatly to the\nhealth of your child by removing the\ndangerous aud disagreeable effect of\nworms and parasites from the system.\nKICKAPoO WORM KILLER as a health\nproducer should be in every household.\nPerfectly safe. Buy a box today. Price.\n25c. All Druggists or by mail. KICKA\nPOO INDIAN MED. CO. PHILA. or ST.\nLOUIS.\nAnnounce Engagement\nDr. and Mrs. F. B. Hoermana announce\nthe engagement of their daughter, Adele,\nto Lawrence E. Clark of Honolulu.\nChe matmown meekly Leader\nT --- x=- J===3\nSocial Doings\n•*-- - \'■\nA marriage of much interest took\nplace Saturday afternoon December 27\nat the Immanuel Church when Miss\nLaura Kramer daughter of Mr. and Mrs.\nAlbert Kramer became the bride of Mr.\nGeorge Terwedow. the Kev. George\nSandrock officiating. The young couple\nwere attended by Miss Elnora Baskey,\nMiss Clara Kosbab and Messrs. George\nGuetzlaff and Fred Menge. The bride is\none of Watertown’s popular young\nladies. The groom is a sou of Mrs. Carl\nTerwedow and is a favorite among his\nassociates. He is foreman of the print\ning room at the I. L. Henry Box Com\npany. The young cot pie will start\nhousekeeping at 109 Herman Street.\nThe marriage of Miss Celia Oestreich,\ndaughter of Mr, and Mrs. Charles\nOestreich and Mr. Fed Guetzla.T, both\nof Watertown, took place at a Lulhern\nchurch in Milwaukee Tuesday, last week,\nat 4 o’clock. The young couple were at\ntended by the groom’s married sister and\nher husband who reside in Milwaukee.\nThe groom is a tailor by trade and is\nemployed at the Rogler lailoiing shop.\nHe is the son of Mrs. Henrietta Guetz\niaff. The young couple will make their\nfuture home in Washington street.\nTheir many friends offer congratula\ntions.\nThe many friends of Miss Helen Zill\nmann and Mr. Martin F. Zoellick will\nbe interested in learning of their mar\nriage which occurred at 3 o’clock Tues\nday afternoon at the home of the bride\nin the town of Emmet, The ceremony\nwas performed by the Kev. F. H. Eggers\nand was witnessed by a number of friends\nand relatives, a reception following the\nceremony. The groom is a well-known\nbusiness man being engaged in the\njewelry business in Main street. The\nbride is an accomplished and popular\nyoung lady and the couple enter married\nlife with the well wishes and congratu\nlations of their many friends. They will\nreside at the home of the bride.\nA happy reunion of the family of Mr,\nnud Mrs. Leonard Soldner was held at\ntheir home in the town of Lowell on\nsecond Christmas day. All the children\nwere present as follows: August Solduer,\ntown of Emmet; Mr. and Mrs. George\nSolduer and family, Mr. and Mrs. John\nNeis and family, Mr. and Mrs. Henry\nReinhard, town of Lowell; Mr. and Mrs.\nWillie Soldner, Roeseville; Mr. and Mrs.\nHerman Soldner, town of Lowell; Mr.\nand Mrs. Charles Schmoldt, town of\nLowell; Julius Lehmann, Tennessee.\nMiss Helena Faltersack, daughter of\nPeter Faltersack of Rich wood, and Mr.\nWalter Paschken of London were married\nat 2 o’clock Monday afternoon by Justice\nW. 11. Rohr in his office. Chester Stras\nberg of London and Max Rohr acted as\nwitnesses. The bride is but 16 years of\nage and was granted a license to marry\nonly after her father had visited the\nclerk and signified his willingness to\nallow the maniage. The groom is a\nharness maker at London, and will take\nhis bride there to reside.\nA number of friends of Miss Lillian\nKoenig tendered her a pleasant surprise\nSaturday evening. Those present were\nJennie Jones, Anna Biefeld, Dela Wendt,\nMarion Perry, Meta Zillmer, Florence\nKoenig, Frank Spear, Arthur Pieritz,\nSeth Perry, George Perry, Donald Potter,\nFred Schultz and Will Riess.\nMiss Hattie Zoelle entertained a few of\nher friends Tuesday evening at her home\nin Monroe street. The time was pleasant\nly spent in cards and music. Light re\nfreshments were served.\nMrs. Frank Jennings entertained the\nSewing Club at her home in O’Connell\nstreet Monday evening.\nDrug Store Moves\nOwen’s Drug store, which has been\nlocated on North Second street for the\npast year or so, is being removed to\nlarger quarters, 412 Mam street, near\nthe corner of sth street. Most of the\nstock and fixtures have already been\nmoved to the new store, and Mr. Owen\nis now busy getting things in shape.\nWith the nice new r oak fixtures that are\nbeing installed, the store certainly ought\nto make a dandy appearance. The place\nwill be open for business about Monday,\nJan. sth.\nIs Presented Cup\nMr. Henry Mulberger has severed his\nconnection with the Globe Milling Cos.,\nas its manager and is now actively asso\nciated with the Bank of M atertown. Mr.\nMulberger was presented with a hand\nsome silver loving cup by the employes\nof the company.\nAdvance Information.\n“Was it a case c Z love tt first\nsight?” "They caJl it that, al hough\nbefore they met she had heard that\nhe was wealthy and he had been told\nshe was an heiress.”\nDaily Thought.\nThe man that loves and laughs must\nsure do well. —Pope.\nDon’t jump on the “water wagon” too\nhard, for you might break it; but vou\nwant to jump as hard you as can on to\nthe bargains you can get at the Central\nTrading Cos.\n50 POUNDS BY\nPARCELS POST\nLimited To the First and Second\nZones and Ruin Now\nIn Fores\nOn ahd after January 1, 11)14, tlie\nlimit of weight of parcels of fourth-class\nmail for delivery within the first aud\nsecond zones shall be increased frortf 20\nto 50 pounes, aud in Die third, fourth,\nfifth, sixth, seventh and eighth zones\nfrom 11 to 20 pounds.\nThe rate ou parcels exceeding four\nounces in weight in the local and first\nand second zones snail be as follows:\nLocal —Five cents for the first pound\nand one cent for eacli additional two\npounds or fraction thereof.\nFirst Zone —Five cents for Dio first\npound and one cent per pound for each\nadditional pound or fraction thereof.\nSecond Zone Same rales as first zone.\nThird Zone —Six cents for the first\npound and two cents for each additional\npound or fraction thereof.\nFourth Zone—Seven cents for the first\npound and four cents for each additional\npound or fraction thereof.\nFifth Zone —Eight cents for the first\npound and six cents for each additional\npound or fraction thereof.\nSixth Zone—Nine cents for the first\npound and eight cents for each addition\nal pound or fraction thereof.\nSeventh Zone —Eleven cents for the\nfirst pound and ten cents for each addi\ntional pound or fraction thereof.\nEighth Zone —Twelve cents for the first\npound and twelve cents tor each addi\ntional pound or fraction thereof.\nAT THE CHUKCHES\nFirst Church of Christ, Scientist —\nServices held Sunday at 10:30 a.\nm.„ Subject, ‘ God.”\nTestimonial meeting Wednesday\nevening at 8 a’clock. All are cordially\ninvited to these meetings. Sunday\nschool immediately following morning\nservice. Reading room, Cor, Fifth and\nSpring streets, open every afternoon\nexcept Sunday from 2:30 until 4:30\no’clock.\nSt, John’s Lutheran church —Sunday\nschool at 9 a. m.; services at 10 a. m.;\nEnglish services every second and last\nSunday in the month at 7:30 p. m.\nSt. Mark’s Lutheran church—Sunday\nschool at 9 a. m.; German services at 10\na. m. English services the first and\nthird Sunday of Die month at 7:30 p. m.\nMoravian church—Sunday school at\n9:15 a. m.; German preaching service at\n10:30 a. m.;Y. P. S. C. E. at 6:30 p. m.;\n7:30 p. m. evening services.\nGerman Baptist church—Sunday school\nat 9:15 a. m.; preaching services at 10:30\na. m.; young peoples’ meeting at 6:30 p.\nin.; evening services at 7:30 p. m.\nSt. Paul’s church —Holy communion\nat Ba, in.; Sunday school at 9:30 a. m.;\nmorning prayer at 10:30 a. in.; evening\nprayer at 4:30 p. m.\nSt. Luke’s Evangelical Lutheran\nchurch—Preaching services at 10 a. m.\nand 7:30 p. in,; Sunday school at 2 p. m.\nSt. Henry’s Catholic church —Low\nmass at 8:00 a. m.; high mass at 10 a. m.;\nSunday school and vespers at 3:30 p. m.\nSt Bernard’s Catholic church—Low\nmass 8 a. m.; high mass 10:30 a. ra.\nCongregational Church—Sunday 11 A.\nM. Special Music. Sermon ‘‘Commu\nion”. At 6:30 p. in., C. E. Leader, Rev.\nN. Carter Danlell. Topic, John 3 16.\nA Busy Force\nThe force in the central telephone\noffice answer calls from 940 phones in\nthe city and 560 on rural lines, so be\npatient when you call up the central\noffice and do not receive a reply ins^anter.\nStevenson on Life.\nWe are not meant to be good in this\nworld, but to try to be, and fail, and\nkeep on trying; and when we get a\ncake, to say, ‘‘Thank God!” and when\nwe get a buffet, to say, “Just so: well\n¥t!” —Stevenson.\nCOMING”TO\nWatertown, Wisconsin\nUNHID DOCTORS SPECIALIST\nWILL BE AT THE\nCOMMERCIAL HOTEL\nSaturday, January 17\nONE DAY ONLY\nHours 10 a. m. to 8 p. m.\nRemarkable Success of these Talented\nPhysicians in the Treatment\nof Chronic Diseases\nOffer Their Services\nFree of Charge\nThe United Doctors, licensed bv the\nState of Wisconsin, are experts in the\ntreatment of diseases of the blood, liver,\nstomach, intestines, skin, nerves, heart,\nspleen, kidneys or bladder, diabetes, bed\nwetting, rheumatism, sciatica, tape\nworm, leg ulcers, appendicitis gall\nstones, goitre, piles, etc., without opera\ntion, and are too well known in this lo\ncality to need further mention. Labora\ntories, Milwaukee, Wisconsin. Call and\nsee them.\nWATERTOWN. JtiTERSON COUNTY. WIS., JANUARY 2. 1914-\nMeal Inspection\nThe United Stales government pro\nvides for inspection of all meat picking\nplants which are engaged in interstate\nand foreign commerce. The, methods\nemployed in large plants are exceedingly\ninteresting. First, an inspection is made\nof all live animals and "suspects” arc\nculled for especially careful observation\nand regulated handling. After slaugh\nter, each nrocess in the further prepara\ntion of the carcass for the market, is\ncarefully watched The inspectors be\ncome highly skilled in the detection of\nevidences of diseased tissue which passes\nunder their eyes and hands.\nAs in the case of the first live Inspec\ntion upon the first suspicion of disease,\nan indelible brand sir-pends further prep\naration of the meat. The carcass is then\nshipped to a special examining room for\nfurther study and final disposition. By\nthis means, to reach the consumer the\nbody of a diseased animal would have to\npass the marvelously keen observation of\na number of highly skilled inspectors.\nThe diseases most often found are\ntuberculosis and actinomycosis in cattle;\ntuberculosis, hog cholera and various\nblood and organic diseases in swine.\nSome states have provided for inspec\ntion of abattoirs not under federal juris\ndiction. Wisconsin has made no such\nprovision. Dealers are sometimes sus\npected of offering for sale to inspected\npacking houses, only those animals which\nare presumably healthy. If this be so,\nmeat from uninspected slaughter houses\nis apt to be considerably below the nor\nmal average as concerns freedom from\ndisease.\nIn addition to the detection of diseased\nmeat, the inspectors maintain a close\nsnr yell lance over the general cleanliness\nof the plant. If the packers ever resent\ned the rigid demands of the government,\nno such resentment is now manifest.\nUndoubtedly, they recognize the govern\nment stamp of approval to he of distinct\ncommercial value.\nWonderful Cough Remedy\nDr. King’s New Discovery is known\neverywhere as the remedy which will\nsuwily stop a cough or*culd. D. P. Law\nson of Kidson, Tenn., writes: "Dr. King’s\nNew Discovery is the most wonderful\ncough and throat and lung medicine 1\never sold in my store. It can’t be beat.\nIt sells without any trouble at all. It\nneeds no guarantee.” This is true, be\ncause Dr. King’s New Discovery will re\nlieve the most obstinate of coughs and\ncolds. Lung troubles quickly helped by\nits use. You should keep a bottle in the\nhouse at all times for all the members\nof the family. 50c. and 11.00, All Drng\ngises or by mail 11. E. BUCKLEN & CO.\nPHILADELPHIA or ST. LOUIS.-Ad.\nRogers May Be Candidate\nIt is intimated, that Judge Charles B.\nRogers of Fort Atkinson, may seek the\ndemocratic congressional nomination in\nthis, the second district. Judge Rogers\nis a mighty good man and would make\nan ideal congressman, lie will have to\ncompete with a strong opponent in Hon.\nM. J. Burke who now holds the office.\nBig Story I\nbe It\nTussian I\n1870 J\nlhat is what we have\nto announce in the new\nserial we will begin short\nly. It’s a story by Robert\nW. Chambers, that mas\nter of romantic fiction,\n|" The Maids 1\n| Paradise j\nThe scenes are laid in\nand around Paradise, an\nidyllic French village,\nand in the midst of bat\ntles. An adventurous\nAmeri can who has joined\nthe French Imperial\nMilitary police, falls\nheadlong in love with a\nyoung French countess\nwho has innocently in\nvolved herself in plots\nin her desire to help\nher fellow men.\nYou’ll Find It a\n- Vivid and Ex\nciting Love Story\nIxonla.\n[Too Into for la*t week. |\nMr*. Hughes, Racine spent h few days\nlast week with her sister. Mrs. Richard\nPritchard, Sr.\nMiss Ruth Humphrey spent Thursday\nwith relatives at Waukesha.\nMrs, 0. H. Wills was a business visitor\nat Milwaukee one day last week.\nMiss Dorothy Jones, Milwaukee, is\nvisiting her grandmother, Mrs. Liza\nDavis.\nRichard Mulry, Pierce Cos., is visiting\nrelatives here.\nKathryn Moran. Detroit, Mich., is\nspending the holidays with her parents\nhere.\nGladys Davis. Monterey, is spending\nthe week with relatives here.\nMiss ErmaScheuerker returned Thurs\nday to Milwaukee after visiting several\ndays with Miss Ruth Humphrey.\nMiss Anna Moran, Milwaukee is spend\ning the holidays at her home here.\n#\nMiss Guvnor Humphrey spent Satur\nday at Oconomowoc.\nMrs. Robert Pritchard and son llaydon\nvisited one day last week at Waukesha.\nArthur Dahms, Oconomowoc, was seen\nin the burg recently.\nMrs. Jav Perry and son Seth were call\ners at the J. Ei Humphrey home Tues\nday.\nWm. J. Jones, Sparta, is visiting at (\nthe Lewis homo.\nMany from here attended the Christ\nmas tree at Piporsville.\nThe Misses Humphrey of Waukesha\nwere visitors here the past week.\nHoward Reynolds of Ashippon was a\nbusiness visitor here Tuesday.\nJohn Marlow is having great success\nselling the Ford automobile.\nWill Rhoda shipped a Holstein bull\nfrom the station Tuesday. The animal\nwas a beauty and is a son of the great\nCanary Paul, and was purchased by\nparties at Fall River,\nA good many of our young folks\nwatched the old year out.\nMiss Juliana Hartman, Oconomowoc,\nspent Christmas at the Neuman home.\nMr. and Mrs. Harry Druse, Racine,\nspent several days last week with Mr.\nand Mrs. D. H. McCall.\nEdward Evans and son Rowland of\nWales spent Christmas with his parents\nhere.\nWilliam Griffith, Bangor, is visiting\nat the Lewis home.\nMrs. D. A. Jones of Milwaukee spent\nthe holidays with Iter brother, H. E.\nPugh.\nMr. and Mrs. J. A. Ours are visiting\nrelatives at Stevens Point.\nMrs. Wm. Humphrey visited at Ocono\nmowoc Thursday.\nMrs. R. P. Lewis and daughter Inez\nspent the past week with relatives at(\nChicago.\nMax Boh I of Milvvaukees is visiting at\nthe C. Degnor home.\nDiive Evans, Wales, spent Thursday at\nthe home of his father, Hugh Evans.\nMrs. John Gibson and sons Davis and\nDonald of Watertown visited Sunday\nwith her mother, Mrs. Liza Davis.\nHugh Evans, Chicago, spent the holi\ndays with his parents here.\nMiss Edna Davis was a business visitor\nat Oconomowoc Monday.\nMrs. Arthur Seager and children of\nHartland are spending the week with\nher mother, Mrs. Liza Davis.\nGladys Davis returned to Monterey\nMonday after visiting the past week\nwith relatives here.\nJennie Jones and brother, Wm. Jones,\nof Sparta visited Monday with E. L.\nPngh and family at Piporsville.\nAlice Humphrey is on the sick list.\nMr. and Mrs. Wm. Lewis entertained\nabout twenty of their relatives at a\nturkey supper on Christmas.\nPipersvllie.\nThe Misses Laura and Harriet Hum\nphrey of Waukesha arc visiting friends\nin this vicinity.\nChristmas programs were given in\nboth the German and the Eng\'ish\nchurches and were well attended.\nClark Perry is spending the winter\nwith his uncle in Illinois.\nLillie and Viola Kohli of Watertown\nare spending a few days with their\ngrandparents Mr. and Mrs. Fred Hol\nla tz.\nMr. and Mrs. John Lounsbury return\ned to their home at Sherry Wis., after\nspending several weeks with H. D.\nLounsbury and family.\nLillian Goetch of Oconomowoc spout\nChristmas with her parents Mr. and Mrs.\nE. J. Goetch.\nGrace Peiry is spending the In>li \'avs\nwith friends in Chicago.\nMr. and Mrs. Robert Schroeder and\nfamily spent Christmas with their\ndaughter Mrs. Chaa. Vergenzand family.\nMiss Mary Lounsbury returned home\nSunday after a few days visit in Milwau\nkee.\nCase Dismissed\nThe case of the Kenyon Printing &\nManufacturing Company vs. the Jahnke\nCreamery Cos., on appeal was dismissed\non motion of the defendants, who had\nappealed the case.\nCLUB BANQUET\nGRIDIRON AFFAIR\nTwilight Club Annual Feast iWell\nAttended Monday\nNight\nThe third annual banquet of the Twi\nlight club was a very successful affair\nand was well attended. The table was\nprettily decorated and the eight course\ndinner was all that could be wished for.\nA four piece orchestra under the leader\nship of Frank Bramcr furnished most\nexcellent music.\nGordon K. Bacon was a most capable\ntoastmaster and the following toasts\nwere given.\nToastmaster, Gordon E .Bacon. News\nV. P. Kanb. A,True Story, C. A. Kadlug\nThe Ins and Outs of the Lumber Busi\nness, H. K. Boeger. Sparks From the\nVillage Blacksmith, G. 11. Lehrkind,\nInfluence of the Twilight Club on our\nCivic Life, W. 11. Woodard. The Joys\nand Sorrows of a Minstrel, Otto V.\nKnavik. What\'s the Matter with W ater\ntown?, Fred. B. Hollenbeck, What a\nDifference a Few Hours Make, S. F.\nKberle. i Was a Stranger and Ye Took\nMe In, F. A. Green. Trails and Tribu\nlations of a City Attorney, Gustav Buch\nhelt\nV. P. Kanb closed bis toast by read\ning advance copy in which ho “took a\nshot’’ at many local business and profes\nsional men as did several other speakers.\nOn motion president Parka appointed a\ncommittee to act with the advancement\nassociation and Watertown Business\nMen\'s ossociation in getting more fac\ntories here. The value of an organiza\ntion like the Twilight club was brought\nout by several speakers and all left at a\nlate hour with the feeling that the club\nhud a real mission to fulfill in this city.\n{THE DEATH ROLL I\nA sad doatli is that of Mr. Charles\nSohuonko which occurred Friday night\nat ids home, 1007 Western Avenue, after\nan illness of tuberculosis from which lie\nsuffered a considerable length of time.\nMr. Schuenke held the position of sec\ntion formau on the Milwaukee road until\nlast July when ho wrts Obliged to quite\nas his health would not permit him to\nwork longer. The deceased was born In\nGermany coming to America in 1888,\nmaking his home in Watertown, lie\nwas well liked and respected by ;i large\nnumber of friends and relatives and will\nbe missed by them. Surviving are the\nwidow, one daughter, Miss Lydia, and\ntwo sons,Edwin and Carl, and the parents\nMr. and Mrs- August Schuenke. The\nfollowing sisters and brothers also sur\nvive: Mrs. Qus. Brumaini, Miss Ida\nSchuenke, Janesville; Mrs. August Drne\nger, Farmington; Miss Anna Schuenke,\nMessrs. Albert, Robert, Henry and Arthur\nSchuenke, Johnson Creek. The funeral\nservices were held Wednesday afternoon\nat 2 o’clock at the Immanuel church.\nThe many friends of Mr. Harold Burke\nwill be sorry to learn of his death which\noccurred at the family h0m0,209 W arren\nstreet, Sunday at noon. The deceased\nwas the youngest son of Mr. and Mrs.\nPatrick T. Burke and was born October, 1,\n1883, on a farm west of the city. Mr.\nBurke resided in Minneapolis for the\npast fourteen years, coming home a short\ntime ago ill with pneumonia, which\ncaused his death. The funeral took\nplace on Tuesday morning with services\nin St. Bernard’s church at 9;fto o’clock.\nHo is survived by his parents, three\nsisters and four brothers: Mrs. J. D.\nCombs, Milwaukee; Mrs. W. J. McGraw.,\nKscanaba, Mich.; Mrs. Christopher\nCoogao, this city; Edward Burke, Milwa\nkee; Joseph Burke, Spokane, Wash.;\nGeorge Burke, Minneapolis; Henry, this\ncity.\nMrs. John T. Kleinsteubor of Route 4\ndied Monday afternoon after a few days’-\nillness, chronic heart trouble being the\ncause of death. Mrs. Kleinsteubor was\nbarn in Germany October 4, 1844. She\ncame hero in 1866. Her husband, five\nsons, one daughter, a brother and sister\nand eleven grandchildren survive. The\nsons are George and Herman Kleinsteub\nber, Waterloo, Theodore, town of Water\ntown, Henry, Farmington, Edwin, at\nhome. The daughter is Mrs. Frank\nPolenskl. town iff Watertown. The Fu\nneral took place Thursday.\nThe Dcs Moines, lowa, Capital of last\nweek stated that Mr. John F. Holland,\naged 55 years, died in that city after an\nillness of fifteen months. Mr, Holland\nwas born in Watertown. May 9, 1858. He\nwas a printer by trade. Me is survived\nby bis wife and three children.\nHint for Young Musicians.\nBegin your practice with enthus\niasm. Don’t put your practice off be\ncause you have “plenty of time.” You\ncannot know your piece too well, but\nremember that one hour of steady,\nconcentrated practice is better than\nfour hours of careless strumming at\nthe piece.\nCarrying It to Excess.\nQuizzo —“I understand that your\nfriend Bronson is a vegetarian."\nQuizzed —‘Yes. He has such pro\nnounced views on the subject that h\nmarried a grass widow.”\nTHE 1 tI )ER\npublished . So\'* \' \\ out on the\nSnbscrip\n*t *t THY IT.\nVOLUME LIV. NUMBER 21\nPREVENTION FOR\nWHITE PLAGUE\nMedical Authority Tolls How To\nPrevent and Advises Patients\nShowing Symptoms\n“Tuberculosis has many characteristics\niji common with those of noxious weeds."\nI pon this theory the Wisconsin Anti-\nTuberculosis association has formulated\nits programme, according to Dr. 11. K.\nDoarholt of Milwaukee, director of the\nhealth bureau of the University of Wis\nconsin Extension division, and secretary\nof the organization.\n‘‘The must certain means of prevent\ning the spread of a weed pest is to gather\ncarefully and burn the seed," continued\nDoctor Dowrholt. Likewise, the most\ncertain way of preventing the spread of\nconsumption is to burn the seed.\n“Germs of consuption are contained in\nthe expectorations of patients suffering\nfrom the disease. Therefore if all ex\npectorations were carefully gathered\nin special cups, napkins and papers\nand burned before any of the seed\nwore scattered, tuberculosis would\nbecome historical. Karly knowledge at\nthe stage when the disease is most easily\ncured requires skillful diagnosis and\npatients should consult a skillful physi\ncian on first suspicion of infection, in\ndividuals who have been subjected to\nprolonged contact should have periodic\nexaminations extending over a number\nof years.\n“Providing sanitarium cure for ad\nvanced consumptives in a great measure\ncuts off the sources of infection. But a\nsufllcient number of sanatorium beds\nCan not be secured In a month or a year.\nAnd some patients may never consent to\ngo to a sanatorium. lienee we must pro\nvide as good protection as is possible\nfrom consumptives in the home. We can\naccomplish this by the visiting nurse\nand a wider knowledge of the funda\nmental facts in connection with the\nnature, cure, and prevention of the\ndisease."\nHog Cholera Don’ts\nThe following precautions are recom\nmended for keeping hog cholera from\nan uninfected drove by H T. Galloway,\nAsst. Sec. of Agriculture.\n1. Do not locate hog lots near a pul lie\nhighway, a railroad or n stream. The\ngerm of hog cholera may bo carried along\nany one of these avenues.\n2. Do not allow strangers or neighbors\nto enter your hog lots, and do not go in\nto your neighbors’ lots. If Is is absolute\nly necessary to pass from one hog lot in\nto another, lirst clean your shoes care\nfully and then wash them with a 21 per\ncent solution of the compound solution\nof crosol (U. S. P.)\n3. Do not put now slock, either hogs\nor cuttle, in lots with a herd already on\nthe farm. Newly purchased hogs should\nbe put in separate enclosures well sepa\nrated from the herd on the farm and\nkept under observation for three weeks,\nbecause practically all stock cars, un\nloading chutes, and pens are infected\nwith hog cholera, and hogs shipped by\nrail are therefore apt to contract hog\ncholera.\n4. Hogs sent to fairs should be quar\nantined for at least three weeks after\nthey return to the farm.\n5. If hog cholera breaks out on a\nfarm, separate the sick from the appar\nently healthy animals, and burn all car\ncasses of death. Do not leave* them mi\nburned, or this will endanger all other\nfarmers in the neighborhood.\n<5. If after the observance of all possi\nble precautions hog cholera appears on\nyour farm, notify the State veterinarian,\nor State Agricultural college, and secure\nserum for the treatment of those not\naffected. The early application of tills\nserum Is essential.\nSome of these precautions may seem\nunnecessary and troublesome, but they\ndo not cost much, and they are very\nvaluable preventive measures.\nThe Tax Kate\nThe tax rate in this city for the cur\nrent year is $16,00 per $1,0)0 in the Jef\nferson county wards and $18.13 in the\nDodge county wards* If the assesnirnt\nIs 90 per cent of the actual value, the\nrate is excessive: if the asnessed valua\ntion is moderate then the rate Is reason\nable —on the whole however Watertown\nhas no cause for complaint, below we\ngive the tax rate per 11,000 in some of\nthe other cities of the state:\nAn tigo $29.00, Bar a boo $23, 01, Beaver\nDarn s23.2o, Hoscobel S2B 00, Beloit $17.4b,\nBurlington $24,07, Edgerton 118.94, Kan\nClaire $23.50, Jefferson SIB.BO, Madison\n$16.50, Monroe $17.00, Oshkosh sl7 50,\nPltttteville 117.23, Portage $20.00, Janes\nville $15.00, Milwaukee 118.00, La Crosse\n$25,00, Richland Center $29.40, Toinah\n$20.12, Btonghton $18.70, Whitewater\n$25.90, W aterloo $17.94, Waukesha $19.50,\nLake Geneva $23.81,\nAn Ideal Woman’s Laxative\nWho wants to take salts, or castor oil,\nwhen there is nothing better than Dr.\nKing’s New Life Pills for all bowel\ntroubles. They act gently and naturally\non the stomach and liver, stimulate and\nregulate your bowels and tone up the\nentire system. Price, 25c. At all Drug\ngists. H. E. BUCKLKN & CO. PHILA\nDELPHIA or ST. LOUIS.', 'batch': 'whi_elizabeth_ver01', 'title_normal': 'watertown weekly leader.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85040721/1914-01-02/ed-1/seq-1.json', 'place': ['Wisconsin--Dodge--Watertown', 'Wisconsin--Jefferson--Watertown'], 'page': ''}, {'sequence': 1, 'county': ['La Crosse'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn86086186/1914-01-02/ed-1/seq-1/', 'subject': ['La Crosse (Wis.)--Newspapers.', 'Wisconsin--La Crosse.--fast--(OCoLC)fst01207161'], 'city': ['La Crosse'], 'date': '19140102', 'title': 'Nord stern. [volume]', 'end_year': 1921, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Available on microfilm from The State Historical Society of Wisconsin.', 'Description based on: Jahrg. 1, no. 2 (6 Dec. 1856).', 'In German with some columns in English.', 'Supplements accompany some issues.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'La Crosse, Wis.', 'start_year': 1856, 'edition_label': '', 'ocr_ger': 'Der „Nordster ist\ndie einzige repräsentative\ndeutsche Zeitung von ia\nLrosse\n57. lalirqang.\nSchluckt AnklM.\nONoycr beschuldigt eine <Bruben\ndircktor an seiner Entführung\nbetheiligt gewesen zu sein.\nCalumet, Mich, 30. Tec.\nDie Entführung des Präsidenten der\nWestern Federation oi Miners. Charles\nH. Mcyer, aus Calumet. Mich., war\nauch am Montag noch nichl im gering\nsten aufgeklärt. Die Anwälte der Union\nhatten alle Hände voll aus dem Coro\nnerslnquest in Sachen des Unglücks in\nItalien Hall zu lhun. bei welchem 72\nPersonen umgekommen und. und die\nCountybeamien, welche die Angelegen\nheit ebenfalls untersuchen, gaben nichts\nbekannt. Das Hauptinleresse konze\ntrirlc sich in Calumet um die Behaup\ntung, daß I. MacNaughton, Generat\nbetriebsleiler der Calumet L Hecta\nMining Co., mit der Entführung Mou\ners zu thun habe.\nTer Coronerslnquest.\nIn dem vom Coroner über das Un\nglück in Italien Hall eingeleiteten In\nquest sagten am Montag zweiundzwan\nzig Zeugen aus. daß der Mann, welcher\nden verhänqnißvollen Alarm abgab,\neinen weißen Knops, das Abzeichen dcr\nCilizens\' Alliance, getragen habe. Dies\nwurde von vielen anderen Zeugen be\nstritten. Alle Zeugen stimmten darin\nüberein, daß der Ruf „ \'euer!" zuerst\nvon einem Mann abgegeben und dann\nan verschiedenen Stellen in der Halle\nwiederholt wurde, worauf alles sofort\nnach den Ausgängen strömte.\nLeichenfeier-Film gestohlen.\nEin Film, welcher gestern von dem\nLeichenbegängniß in Calumet gemacht\nwurde, wurde dem Photographen aus\nseinem Hotelzimmer gestohlen. Der\ndi- Films enthaltende Rasten wurde\n"später auf der Straße mit verstreutem\nInhalt gesunden. Dir Streiter schie\nben auch diese Schandthat der Cttizens\'\nAlliance in die Schuhe, die dabei angeb\nlich den Zweck verfolgten, Propaganda\nzugunsten der Strecker zu unterdrücken.\nDie Polizei hat noch keine Spur von\ndem Thäter.\nBahnstreik beigelegt.\nSt. Louis, Mo., 31. Dec.\nDer Streik der Telegraphisten der\nSt. Louis L San Franeisca-Bahn\nwurde Dienstag Nachmittag durch einen\nzwischen den Massenverwaltern der\nBahn und dem Beschwerdecomfte des\nVerbands der Bahntelegraphisten ab\ngeschlossenen Eompromiß abgewendet.\nFall ?)oimg vor Gericht.\nChicago, Jll., 31. Tec.\nTie Frage der Gesetzlichkeit der Aus\nstoßung von vier Mitgliedern aus dcr\nErziehungsbehörde von Chicago, Jll.,\ndamit Ella Flagg Uonng als Schul\nsuperintendentin wiedereingesetzt werden\nkönne, wird in den Gerichten entschiede\nwerden. Staatsanwalt Maclay Hohne\nerklärte m Dienstag, er werde ei>:-\nPetition unterzeichnen, in der um die\nErlaubniß ersucht wird, ein Ouo War\nranlo-Verfahren einleiten zu dürfen.\nUebrrraschendc geographische Ent\ndeckn ngcn.\nBerichte aus Südnigerien zeigen,\ndaß selbst unmittelbar an der Küste\nnoch überraschende topographischeEnt-\nLeckungen möglich sind. Leutnant\nHughes, der Führer der Regierungs\nlacht „Jry", fand in dem Netz von\nWasserstraßen, das sich von den Ni\ngermündungen zum Ealabar erstreckt,\neinen bisher völlig unbekannten\n„Creek" fKüstcnfluß mit Brackwas\nser). der sich als an- eigentliche Mün-\nInng des Bonnvflusies erwies. Zu\ngleich wurde an dev Prallseile einer\nWindung aus dreiv-ertel Meile etwa\n46 Fuß, Hobes Steilufer mit festem\nBoden und davor Wasiertiefen von\n76 Fuß festgestellt. Die neugefunde\nve Stelle wurde „Port Haricourt"\ngetauft; sie ist wahrscheinlich von gro\nßer wirtschaftlicher Bedeutung, da sie\ndie östliche Nigeriabahn ermöglicht,\ndie die Kohl-nselder von Udi und\n1,,e reichen Zinnlager des Bantschi-\nPlateaus erschließen soll.\nAehnlich überraschend ist die Auf\nfindung einer bis ;eht unbekannten\n\'D-rvreifion bei den topographischen\nAufnahmen, die Srr William Wil-\nIrerks in dem tonst rech: gut durch\n*orschien Mefopotamien zwecks .Klä\nrung von Bewäncriingssragen leitete\nRack, der Karte liegt oie Senke et\nwa 110 Kilometer wcstnorbwestUch von\nVaadad: ft" Ilmriß tonnte nur im\nOsten genauer ausgenommen werden,\nda feindliche Arabec\'iämme eine wei\nlere Karlieruna verhinderten. Hier\nim Osten geb: die „Hohtform" etwa\n6 Meie: unter den Meeresspiegel\nenthält jedoch an ihrem Boden einen\nSalzsee, dessen Tieft vorläufig unbe\nkannt ist. Eine so interessant- aeo\naraobitche Entdeckung unweit der\n-inst berühmtesten Stadt des Orients\ndes durch Harun a! Raschid und die\nErzählungen der „Tausendeinenack.t"\nbekannten Kaliftnsstzes Bagdad, über\nrascht in der Tat, kenn die Wunde\'\nund alles Neue in: Zweistromlan\nVorderassens \'u-cht man unter der\nErde und den Sandbüartn, nicht oben\nrn der einförmigen Landschaft.\nt Herageqedt von § 1\n< Rordsterv Lstociatioa. Lr Lrofse.\nRikscncrnkk.\nDer Nstertk wird vom Ackcrbaudc\npartemcnt auf lO ONilliar\nden grschätzt.\nWashington, D. C.. 30. Der.\nEine Ernte im Werth von 10 Milli\narden Dollars, die den Farmern 5 Mil\nliarden einbringen wird, ist das Resul\ntat der Arbeit von sechs Millionen Far\nmern in den Ver. Staaten im Jahre\n1913. trotz der Dürre und anderer hin\ndernden Umstände. Nach dem am\nMontag vom Ackerbaudcpartement in\nWashington veröffentlichten Bericht mar\ndas Jahr das erfolgreichste in der Ge\nschichte des Landes. Genau betragt der\nWerth der Ernte 6,100.000,000, wo\nvon K 3,650,000,000 aus Vieh entfallen.\nDer Werth ist doppelt so groß wie der\njenige der Ernte vom Jahre 1800; um\nmehr als eine Milliarde größer als im\nJahre 1009 und bedeutend größer als\nin 1912. Von der Gesanimlernle wird\nschätzungsweise 52 und von dem Vieh\n20 Prozent aus den Farmen selbst ver\nbleiben, sodaß das Bareinkommen der\nFarmer 55.847,000,000 beträgt.\nTrotzdem das Jahr 1913 ein Regen,\njähr war. und trotzdem die Zahl der\'\nFarmen sich seit 1910 um 11 Prozent\naus etwa 6,600,000 erbotn hat, ist nach\nAnsicht des AckerbaudevarlemenlS nicht\nzu erwarten, daß der Preis der Lebens\nmittel heruntergeht. Diese, aus den\nersten Bück merkwürdig erscheinende\nThatsache wird daraus zurückgeführt,\ndaß einmal der Verdienst des Zwischen\nhandels größer geworden ist, und daß\nzweitens die Produktionskosten des Far\nmers sich erhöht haben.\nDas stärkere Geschlecht versagte\nPortland, Ore.. 31. Tec.\nGouverneur West bat seiner Privat\nsekretärin, Art. Fern Hobbs, ausge\ntragen, unverzüglich nach Copperfield,\neiner in Baker County gelegenen Mi\nnkn-Nirderlaffung. zu reisen und\nsämmtliche Wirthschaften und Spirlhöl\nlen zu schließen, die dort ungesetzlich\nbetrieben werden. Der Gouverneur\nerklärte am Dienstag in Portland.\nOre., er habe bereits dem Sheriff und\ndem Distriktsanwalt ausgetragen, die\nWirthschaften zu schließen, doch hätten\ndiese keinen Finger gerührt.\nFrl. Hobbs wird von einem Spcz\'al\nbramten der SlaatSregierung begleitet\nsein.\nKönigin-Wittwe gestorben.\nStockholm, Schweden, 31. Tec.\nDie verwillwete Königin Sophie von\nSchweden, Mutter des regierenden Kö\nnigs Gustav, starb am Dienstag ,n\nStockholm im 78. Lebensjahr; eine vor\neinigen Tagen eingetretene Lungenent\nzündung führte den Tod der Königin\nherbei.\nNeue Mont karte.\nDer Göttinger Astronom F. Hayn\nhat so-eben eine umfangreiche Arbei:\nzum Abschluß gebracht, und deren\nErgebnis soll demnächst in Gestalt\neiner Mondtarte veröffentlicht wer\nden. Es handelt sich hierbei um eine\nmöglichst g-nmue Karte der Randge\nbirge des Mondes, die zur genauen\nBahnbestimmung des Mondes von\neinschneidender Bedeutung ist und\nneues Marerial zur Theorie der\nMondbewcaung beibringt. Sonne\nund Planeten erscheinen nämlich, we\ngen ihrer größeren Entfernung, als\nKreise oder Ellipsen, und so ist ihre\ngenaue Ortsbestimmung nicht beson\nders schwierig; der Mond dagegen\nerscheint nicht kreis- oder ellipsen\nförmig begrenzt, und daher ließ sich\nbisher sein Mittelpunkt oder Schwer\nPunkt nickt genau genug bestimmen.\nMan sucht: bisher diesem Uebelstande\ndurch E\'i\'füvrung eines „Fixpunttes"\nabzuhelfen, dessen selenographEche\nKoordinaten bestimmt wurden. Hayn\nbat nun den aussichtsreicheren Weg\neingeschlagen, den Mondmittelvunft\nbesser zu definieren und dazu eine\nmöglichst genaue Karte des Mond\nrandes anzustellen und alle Beobach\ntungen aus möglichst viele Punkte des\nUmfanges -u bestehen.\nEs stur cm Ganzen 200 Mond\nbitder hnaestellt und 10,000 Punkte\nmit ihren\' skleno-graphischen Koordi\nnaten festgelegt. Die Mondtarte\nHavns ist an\' plwtceraphi\'chem We\nge hergestellt und turch Messungen\nvon Sier, bedeckn:,:en verbessert Aut\nden dazu ureigen Platten um For\nmate 2-st Zoll! wurden immer je\nzwei Monvb\'ldcr aufgenommen: fer\nner sind nie Vlatten durch aufkopierte\nSterntilde: in bekanntem Positivus\nwinket oick.-ster: worden. Endlich\nwurde nahe dem Vüdzentrum in\nsehr seine M\'rke angebracht, von de\'\naus eine groß? Zahl von Mondradien\ngemessen wurde. Aus solch Weise\nerhielt >rmn aurck Ausgleichung der\nRadien den Ert des wahren Mond\nZentrums iowie die Abweichungen des\nMondes van der Lreisform. Diele\nneue Mordkaree bedeutet einen we\nsenitichen Dcrt\'chr\'st für die Assro\nmeine un> lste Meckanik des H\':m\nweis und b-e\'> n\'.b\'n Aufgaben, eie ruft\n-dem Mond? zu tun beben. Sie er\nmcglieht er-, de Ortsbestimmungen\nunseres ft- n-\'chng:" Trabanten rack\n\'Richtung und Entfernung erbeblick\ngenauer und von Feh\nltiu wesentlich freier auszusührra.\nMM^Micsk.\nDeutschland verweigert den Der.\nStaaten die Behandlung als eine\n..meistbegünstiaste" Nation.\nBerlin. 30. Dec.\nDie deutsche Reichsregierung lehnte\nam Montag das Ersuchen der Ver.\nSiacuen ad, die für aiiierlkcinischen\nStahl. Gummi. Schuhe und eimge an\ndeie \'Artikel die Behandlung als „meist\nbegünstigste" Nation beanspruchen; in\ndem jetzt bekannt gegebenen Bescheid\nMiro indeß angedeutet, daß Deutschland\ndeirik sei. über die Angelegenheit wei\nter zu verhandeln, wenn die Ver.\nStaaten zu entsprechenden Gegenleistun\ngen willens seien. Deutschland ist nur\nverschiedenen Bestimmungen unzufne\nden, namentlich mit der Forderung, daß\nJmporleure unter Umständen gezwun\ngen werden sollen, ihre Geschäftsbücher\nvorzulegen. Die deutschen Geschäfts\nkreise sind der Ansicht, daß ohne Coin\nprvmiß irgend welcher Art die Han\ndelsbeziehungen zwischen Deutschland\nund den Ver. Staaten äußerst schwierig\nsein würden.\nP\'erkivürdigeS Nnturbild.\nTchmaroncr, die idrericits von Tchma\nrolccrn licimgesucht werden.\nDas alte Sprichwort: „Wie du\nmir, so ich dir", das den Stand\npunkt einer gesunden Realpolitik, ei\nner sich seiner Haut wehrenden frisch\nfröhUchen Selbstsucht vertritt, hat\nnicht nur Geltung im Leben des\nVolkes und im Wandel der Mensch\nheit. sondern überhaupt tm Bereiche\nalles Lebenden. Und so ist es denn\nauch wohl als ein Akt ausgleichen\nder Gerechtigkeit aufzufassen, daß die\nLebewesen, die, statt sich wie die an\ndern auf ehrliche Weise durchs Le\nben zu schlagen, die bequemeren Da\nseinsbedingungen des Schmarotzer\ntums auszunutzen gelernt haben und\nvon den mühsam erworbenen Körper\nsästen anderer Wesen sich mäste,\nauch ihrerseits wieder, wenn auch\nwiderwillig, als Wirte aufzutreten\ngezwungen werden.\nDie Naturgeschichte kennt eine\nganze Reihe solcher Schmarotzer in\nSchmarotzern: zu ihnen gehört nach\nden Forschungen des Franzosen rw\nweran auch der Floh, der lustige\nSpringer, dem bekanntlich die größ\nte Kälte nichts anhaben kann. Der\nFamilie der Flöhe ist überhaupt in\nden letzten Jahren von der Forschung\nein außerordentliches Interesse ent\ngegengebracht worden, da man ver\nschiedene ihrer Angelürigen in dem\nbegründeten Verdacht hatte, daß sie\nbei der Uelertragung vcn allerlei an\nsteckenden Krankheiten ein? nicht ein\nwandfreie Nolle spielten. Auch der\nParasit, den Laweran im Hundefloh\nauffand, kann auf andere Tiere über\ntragen werden. Er stellt ein mi\nkroskopisch kleines Schräubchen vor,\ndas sich vom Darminhalt nährt, sich\nin ihni bewegt und entwickelt. Bringt\nman mit Hilfe einer Manipulation,\nzu der allerdings e\'was geschickte\nFinger gehören, den Darminhatt de-\nFlohs in eine schwache Kochsalzlö\nsung und spritzt diese weißen Mäu\nsen ein. so findet man die Spirillen\nbald in den Blutkörperchen der\nMäuse, wo sie wahrscheinlich ihre\nweitere Entwicklung durchmachen.\nDie Erscheinung, daß Schmarotzer\nwieder vcn anderen Schmarotzern\nheimgesucht werden, findet sich auch\nsonst. So werden gewisse Schlupf\nwespenlarven, die in Schmclterlings\nraupen leben, wieder von kleineren\nSchlupfwespen angestochen, obgleich\nsie dort allem Anschein nach vor\ntrefflich geschützt sind. Ja. es komm!\nder besondere Fall vor, daß das\nMännchen einer parasitisch lebenden\nTierart als Schmarotzer seines eben\nfalls an die parasitische Lebensweise\nangepaßten Weibchens auftritt. Die\nser immerhin seltene Fall von T-p\n-pelparasitismus findet sich bei ge\nwissen Rankenfußk\'-etssen. zu denen\nauch die Entenmuscheln gehören: das\nMänncken sucht schon als vollstän\ndig ausgerüstete Larve das Weibchen\nauf, verliert hier seine Beweglichkeit\nund seine Gliedmaßen vollkommen\nund lebt als Zwergmännchen weich\neingebettet in der Schal? des Weib\nchens und nährt sich, indem es die\nSäfte des Weibchens einfach mit\nder Körperbau! aussäugt: denn ihm\nfehlt später auch der Mund und\nder Darm vollständig.\nEin noch krasserer Fall von Pa\nrasitismus. bei dem allerdings da?\nWeibchen frei lebt, findet sich bei den\nzu den Sternwürmcrn gehörigen Bo>\nnellia des Mitlelmeeres; hier leben\ndie Männcken sogar im Fruchthalter\ndes Weibchens, zwischen den von\ndiesen beroorgebrachtrn Eiern, die\nvon ibnen befruchtet werden. Sic be\nstehen eigentlich nu: aus einem Hau\nsen von männlichen Fortoftanzungs\nprodutten, bewegen sich so zwischen\nden E-ern kriechend umher, daß man\nsie eine Zeitlang tür innqe Stern\nWürmer gehaltn hat, unv sind sc\nklein, daß erst mehr als Iss§ Mil\nlionen von ibnen zusammen so\nschwer find, wie ein einziges Weib\nchen. Man siebt, die N-:ur schlägt\nzum Zwecke der Erkaltung der Art\noft die wunderlichsten Weg: ein!\n2a Crosse, Wis., Freitag, deu I. Januar 1914.\nKind tibgercill.\nWan Wilson zum Worte.:-, über\nKloriko nach j?aß cLhrnüaii\nbefohlen.\nVera Cruz. Mex . :>: Pez.\nPräsident Wtlions persöni c: Ver\ntreter in Mexiko. John Lins , sich\nDienstag Abend in Vera Cru: Mex.,\nan Bord de- amerikanischen stckuterS\nChester, der ihn nach Paß E\'nistian,\nMiss , dringen wird, wo Herr ss\':d de,\nPräsidenten Bericht über seine Mission\nerstatten wird. Die Fahrt bis cur Küste\nvon Louisiana dürste kaum wehr als 2\'.\nStunden in Anspruch nehmen\nWie aus Paß Christian gemeldet\nwird, hat Präs. Wilson selb Herrn\nLind oufgesorderr, ihn in seinem Win\nlerausenihallSvrl auszusuchen\nKamps noch nicht abgebro\nchen.\nPresidio, Tex, 3.. Dee.\nTie Schlacht zwischen Swm inner\nGeneral Toribio Onrga steb nsen Re\nbellen und der nördlichen Division der\nmexikanischen Regierung-armn die um\nOjinaga, Mex , gegenüber vv Picsidio,\nTcx.. stark verschanzt ist. war noch nn\nvcUen Gange, als die Sonne am Diens\ntag untergegangen war. Ter Kamps\nHane ui diese Zeit deeeitS.\'K Stunden\ngedauert. Anscheinend sind cun beiden\nSeiten viele Todte und Verwundete.\nUeber die Grenze wurde ichl geschossen.\nHilfe für Obdachlose.\nChicago. Jll., 31 Der.\nUm für die immer mehr zunehmenden\nArbeitslosen in Chicago, die in Logier\nhäujern und aus den Polizeiwachen\nkeine Unterkunft mehr finden können,\nHitse zu schassen, beauftrag! A. A.\nMcLormick. der Vorsitzende der Counih-\nBehörde. am Dienstag Sherni Zimmer,\nden Obdachlosen da erste Siocku-e>k\nde Couniy-EebäudcS Dr die Nucht\neinzuräumen.\nDer Welfeuschatz.\nEine seltene Sammlung vo Kunst\nschälien und Altertümern.\nDer Welststschatz. her dem\nJahre 1900 im Asslosse bes Herzogs\nvcn Cnmberland in Gmiindrn de\nfand, soll jetzt auch nach Braun\nschweig, in die Rcsitcnz des neuen\nHerzogs, res einzigen Sohnes des\nHerzogs von Euinoermnö, überführt\nwerben. Der Herzog von Eumber\nland, der einzige Sein des letzten\nWelrenkonigs, zählt öckanntlich zu\nden reichsten deutschen Fürsten. Au\nßer seinem PrivLiv.\'cnwgen, das aus\nweit meac als bun. rl Millionen\nMark geschätzt wirs, ist der Herzog\nauch der Eigentümer :cs berühmien\nbv-elsenschatzes, eine Sec sellenueii\nSammlungen von KnnsUvtrien. so\nwie Atteriüinern von unschätzoareoa\nWerie. Nach den Ereignissen von\n\'866 kam der Wesskr. Satz, Ser von\nPreußen als Privalc:zciuuni des ege\nmaligen Hannsversche Königshauies\nancr-:nint worden war, nach Wien,\nuw belanntlich König Georg V. sei\nncn Wohnsitz genommen hat.e. Tec\nKönig üoeraniworreie e Sammlung\ndein Wiener Museum stir Kunst uno\nIndustrie, wo sie auch sfentlich aus\ngestellt war. Erst 1 >6 überführte\nman, aus Wunsch de- Herzogs von\nEumberland, den Westenschatz nach\nGmunden, und nun. n h sieben Jah\nren, soll er non dor:. voraussichtlich\nzu dauerndem Veröle nach Braun\nschweig tommen. Wo send der Zeit,\nwo der Welfcnschatz m Wien erpo\nnicrt war, hatten a: die Besucher\n--er Wiener Weltausstellung von 1873\nGelegenheit, die gross rtige Summ\nkung zu bewundern, mnn sie war in\nder\' Rotunde untergc cht worden.\nDie Ans-: \'e G Welfenschatzes\ngel)en bis au, die ,ss Heinrichs des\nLöwen, des Ahnher- des We\'Aenge\nschlechtes, zurück, der ährend seiner\nim Jahre 1172 un:e mmenen Pil\ngerfahrt ins heilig\' md sich zum\nBesuche d\'s Sultao- Konstaniino.\nHel aufbiAt, beim hieb von die\nsem eine Anzahl Pr tstücke byzan\ntinischer Konst zuin schenke erhielt\nDiese bildeten den rundstock der\nSammlungen. T-: -erzog vergrö\nßerte diese mit feine Kunstverständ\nnis und erhielt auck eschenke, beste\nhend aus tostbü\' Kirchengerat.\n\'cidenen Messzc-r-ö a usw. von\nEinen Un\'ertancn. \'s der Sck.!\':\n1097 in den fick oarischen \'\nsitz des Herzogs August über\nging, wurde er ft r Schloßkirche\nvan Hannover n: llr, die Aui\nsicht dem Abt b ssters Lo.um.\nMolanr-S. Lbertrc Während der\nFranzoien\'r\'.k\'e Ae der\nocr, wie man st- e ziemlich be\nwegte Gttchichtk \'sack England.\nioo man ihn vor Franzostn in.\nSicherheit bi. t.chdem die Ge\nfahr vorüber w hrte man ihn\nzurück naa. H\'.nr m das König\nltche Archiv. \' 869 verrraut.\'\nihn König : dem Welfen\ni iuseum an uns e ihn für das\nPublikum än Die kunff -\nund kulturh!\'!:- hervorragende\nSammlung -s 82 Gegen\nständen, darur m.den ftch meb\nrere kosic, re R nschrcine uns\nTragaltäre. 11 .\' e, 17 wertvolle\nMonstranzen so. ne Anzahl be\nsonders tniercn.: -rm- und Kops\nreliquien.\nJuni ciitllisjcil.\nIsm Dlordfall Schmidt stand das\nlssotum t>:2 für Schuld\nsprueff.\nNew Pcnk, :!I. Tec. -\nNack secksunddreißigstündlger Bc\nraihung veiichreie dce Geichmorenen.\nwelche über den ehemaligen Priester\nHans Schinidl von der Ll. Joscpds--\nKircde in New Park zu Geruch, saß.\nder angeklagt ist, seine Geliedie Anna\nAtiNiüUer eriiiordel zu habe, daß eine\nEinigung un\'iiözlüch sei. und wurden\ndaraus von Ruchier Foster cultasse.\nEs stellte sich heraus, daß da letzic\nVolum genau so war wie das erste. 1c\nfür schuldig und 2 für ist r schuldig:\ndie beiden letzteren stellten sich aui den\nStandpunkt, daß Schmidt irrsinnig\nwar. als er den Mord beging.\nDas Verbrechen, dessen Han\nSchmidt angeklagt ist. war eins der\nentsetzlichsten in der Berbrcchenschronik\nder Stadl \'New Park Ansang Sep\ntember wurde Theile einer Frauen\nleiche >m Hudson gesunden. Wenige\nTage spawr wurde Schmidt verhaftet\nund gestand. Anna Aumuller. mn der\ner zusammen gelebt haue, ermordet zn\nhaben, wie er sagte, aus „göttliches\nGeheiß". Der Prozeß begann am 8.\nDezember. Schnndl\'s Vaier uns\nSchwester käme aus Deuijchiand her\nüber. um das Arguiiieni der Beriheidi\ngung. daß Lchiiildl a erblichem Wahn\nsinn leide, zu bekräftigen.\nHiltNlis Loldatcn über die\nGrenze.\nPresidio. Tep., 30. Dee.\nHundert mexikanische Reglerungsjol\ndaien wurden Monmg Nackt aus der\namkrikc>istsck)en Seite, sechs Meilen un\nterhalb am Fluß gesunden. Major\nMcNainee ließ die Lerne sofort entwaff\nnen. brachte sie ach Presidio und zwang\nsie mit Gewalt, imeder über die Grenze\nnach Mexiko zu gehen. Mehrere von\nihnen waren verletzt. s\nMehrcreHundert weitere Regierutig\nsoldaten überschritten an rrnrr anderen\nStelle die Grenze, gingen jrdpch beim\nNahen amerlkanischrr Truppen wieder\nzurück.\nDie Regierung-truppen scheinest be\nreit im ersten Gefecht von den\nlen vollständig ausgerieben worden zu\nin.\nlikän.Pi,.\nTa Geheimnis des jepanischc Lchwe\nsc Wad cs.\nIm s/M\' ng.m w-llcn w>r den\nLcscr c.nwoi.eu in aas sonderbare\nGeh in nis des Ji:>ii: - Pu, d. h.\nder Art u! d W. , wie die Japaner\nihr SchwwjcWa. i chmen. In den\nThermalbädern < > Kasatsu kaun\n.man die badend: ...ppons um Wer\n!e scheu. Tec A des Bades\nwird mit der Tromlete v.rkiindigt.\nSofort stellen sich die Teilnehme\'\nmilitärisch in einer Ncile aus längs\ndem Uicr des heißen Teiches und\nmachen pch ans „Sü mgen des Was\n,\'crs". Sie bewussneu sich mit lan\ngen Brettern, i >?.. e.i deren einer\n>snde ins Wasser, hakten das andere\nmit Heiden Händen und drehen sie\ndann um ihre Längsachse hin und\nher. Sie gelangen damit schließlich\nzu einer solchen -Schnelligkeit, daß\nsie in der Minute neunzig solcher\nBewegungen machen. Die Badenden\nverwenden darauf viel Krast und\nentwickeln dabei viel Begeisterung\nund laute Fröhlichkeit. Schreie und\nSprünge begleiten das Geräusch der\nim Wasser gequirlten Bretter. DaS\nGanze erinnert etwas an die Tänze\nwilder Neger.\nAber wozu dies „Schlagen des\nWassers?" Um seine Temperatur aut\neinen gewissen Grad herabzumindern!\nIst das erreicht, werden die Patien\n:cn aufgefordert, mit einem kleinen\nTcnnengesäß Wasser auf den Schade,\nzu gießen. Diese Waschungen sino\nbestimmt, Kongestionen ,u verhindern\nand dauern ziemlich lange. Der\nGuß wird bis zu 1-/> , ja 2ssomcil\nwiederholt. Tann erst wird der\nBadende für würdig erachtet, sich ins\nWasser zu begeben. Aus Kommando\n-\'eben sie langsam hinein. Der Ba\ndemeister biii\'Mt eine Art von Kla\n-wgestmg an, der durch Intervalle von\nje einer Minute in. vice Verse gctei!\'\nist. Das Bad dauert drei Gesänge\nzu vier Miauten. Jeder Ver wird\nmir einem Tranrrgeschrei begleitet,\nd - gleichklingend Gr Brust aller\nBader en enrstcig\'. Diese Traurig\nkeil ist in:-. nur g.leuche!!, denn alle\namüsseren \' \' riesig über das Bad\nun.- \'ei - r BegkE\'-\'chemuügen Und\nGrüns nenn arm \'Vergnügen ist jr\nwohl auck vorhanden: denn man hör-.\nund \'staune! den Ten der Ver\nse! Hier ist er:\nDon jetzt gerechner. sind es drei Mi-\nJetzt sind es n.:r n. -a zwe- Minuten,\nch. un bleibt nur ?: g -uw Minute.\nSeid geduldig: r r \' " : u wirtlick\n\' m jst\'s vorbei \' - aus dem\n-sie vollständige Kur erfordert die\n\' : keit von !!\'-> .!-: ern. aie.\n\' r an, „ganz e\'!r.Z:a 7 phossolo\niic \' Folgen labrn." Uns das darf\nman. wohl getrost glaube: !\nTic Mrc Ztilimi/\n.Zentrum und Naltonallibcralc pro\nphezeie eine ernste Arrse als\nFolge derselbe.\nBerlin, 3t. Tee.\nDaß der Zaberner lüonftiki noch lange\nnickn erledigt ist. geht aus de Berich\nte der deunchen Presse über Kundge\nbungen de Zentrums und der Nalw\nn,illiberalen hervor, in de n nicht nur\nder Ruckliiu de Reichskanzlei Dr.\nvon Beidmann-Hollweg verlangt, son\nder auch eine vollständige Umwälzung\nde deutschen Patlamenlansuius vor\nausgesagt wird\nAus dem Zentrum-Parteitag in Ulm\nerllarien die mürtle , verglichen Avge-!\nordnen Gi öder und Erzberger. die\nZaberner Affäre werde wahricheiiilick,\neinen schweren polnischen Kamps zur\nFolge haben, in dein ein Kompromiß\nkaum möglich sein werde. Ei Mann\nheimer Blatt, da- Organ des Naiional\nliberalen Bassernianii ineiiii. Denljch\nland siehe vor einer schwere Krise: der\nReichskanzler steh ganz isviiri. und sei\nSturz wurde von den Naiionalliberalen\nlucht bedauert werden. Auch die Blät\nter der Rechten belämpsen seil einiger\nZcil den Kanzler kaum minder hejiig\nals die der Linke.\nBriesninrkcnrummel.\nEiiisüiffc des Krüge auf das Prislwe\nsen der Lil>astaln.\nDie verschiedenen Phasen des Bal\nkankrieges haben auch im Postwesen\nbor kriegführenden Staate ihren\nAusdruck gesunden. So gaben zu\nAnfang des Krieges verschiedene der\nägäischen Inseln besondere Briefmar\nker, heraus, z. B. Jkanen, Mytilenr,\nSamos und Lemnos. Griechenland\nversah die in den eroberten Gebieten\nverwendeten Marken mit einem be\nsonderen Ueberdruck, und neuerdings\nhat auch der werdende Staat Alba\nnien sich schon mit der Herausgabe\nvon eigenen Briefmarken befaßt. Zu\nerst verwendete man dort türkisch\nMarken, die mit einem höchst primi\ntiven albanischen Adler überdruckt\n\'Wurden. In der letzten Zeit aber hat\nman\'einen regelw-chten Stempel ange\nfertigt, welcher die Inschrift trägt\n„Postat c Qeverrics se Perlohefhme":\ndiese Marke wurde in den Werten zu\n2E Para und l Piaster herausgege\nben, d. h. die Postbeamten stellen sie\nselbst her. indem sie diesen Stempel\nauf ein Stück Papier drucken und auf\nden ihnen übergebenen Brief Neben.\nGriechenland hat den Briefmarken\nsammlern im legten Stadium noch\neine ganze Reihe bon provisorischen\nMarken beschert, die zu den seltensten\ngehören, welche seit Ansang dieses\nJahrhundcris überhaupt ausgegeben\nwurden. So hatten die Bulgaren in\nder für einige Zeit besetzten Hafen\nstadt Kawalla iyr eigenen Marlen\neingeführt. AIS die Griechen diesen\nOrt einnahmen, fanden sie einen klei\nne Nest dieser Marken vor und ver\nsahen sie schnell mit einem griechischen\nAusdruck. Von einzelnen dieser Pi"\nvisoricn sind nur 10 Stück hergestellt,\nwodurch sich ihre Seltenheit erklärt.\nAls die griechische Floite vor Dedca\ngatsch lag, wurden auf ihren Schiffen\nBriefe zur Weiterbeförderung ange\nnommen. In Ermangelung von\nMarken fertigte man amtlich recht\neckige Papierstücke an, die mit einer\ngriechischen Inschrift und der Wert\nangabe bedruckt wurden. Als diese\nVorräte zu Ende gingen, nahm man,\nwie in Kawalla. bulgarische Marken\nund bedruckte sie ähnlich wie dort.\nSehr selten sind auch die in G\nmüldschina ausgegebenen Provisorien\nzu 10 und 25 Lepta. Diese Stadt\nwar ursprünglich von den Bulgaren\nerobert, wurde aber dann von den\nGriechen besetzt. Im Autarkster\nFrieden sie! sic wieder an Bulgarien,\ndoch tonnte dieses sie nicht sofort be\nsitzen, sodaß die griechische Besatzung\nlänger dorr bleiben mußte. Während\ndieser Zeit hat man nun türiische\nBricsmar\'en, die inan vorfand, mit\neinem mehrzelligen Ueberdruck in\ngriechischer Sprache versehen und\nauch noch das griechische Wappen hin\nzugefügt. To auch viese Marken nur\nin geringer Zabl hergestellt wurden,\nist ihre Selienheit sehr erklärlich.\nSchließlich sah sich auch Bulgarien\nzur Herausgabe einer Serie von l\nl. is 27 Stoiinli mit einem aus den\nAnlaß zu ihrer Herausgabe bezug\nnibmenden Ueberdruck versehen: sie\nwürd, in größerer Anzahl au-geae \'\nlen. Seltsamerweise ha! Moniene\nzro noch mchis über du Herauvgale\nk-gener SiegcSmarren von sich Horen\nlassen.\nÜ; Magcnleidcn verschwinde.\nMagen-. Leber- und Nierenleiden,\nschwache Nerven, weher Rück? und\nFrauenleiden verschwinden, wenn Elec\ntric Billers gebraucht wird Elsza Pool\nvon Devew. Oklahoma, schreibt: „Elce\nliic Bitters hat mich wieder au dem\nBett gebracht und von meinen Leiden\nbeireit, und hat wir sonst viel Gute\noeihan Ich wünsck e eine jede leidende\nFron konnte dies ausgezeichnete Mittel\ngebrauchen, in au zusinden wie gut\ndaSi-lbe ist " Eine jede Flasche ist ga\nrantiri: äb>c und sft.OO. Bei allen\nApothekern. H. E. Bucklin k Co.,\nPhiladelphia oder Sl. Lou\'.s. Änz.\nDie „No,vster\'-Melkun\ngen baden bi, Gescbtcdte\nvon La Lrone nicht nu\nnitschreiden sondern mi,-\ninachen Helsen.\nNnmine\'- s->.\nStürm in Europa.\nDeutschland, Spanien, Portugal,\nFrankreich und stallen\nbetroffen.\nPari, :?l. Der.\nFrankreich und der größte Theil de\nübrigen Europa hat gegenwärtig da\nschlinimne Unwetter seil einer Dekade\ndurchzumachen. Blizzards und Hoch\nwasser haben deren großen Schade\nli Inland angerichtet und Stürme\nvon außergemöhnlicher Stärke Hadem\ndie Küste heimgesucht.\nIn Spanien und Portugal sink\nviile Personen infolge der Kalte ge\nstorben. Im Süden von Frankreich ist\ndas Quecksilber aus mehrere Grad uiner\nNull. Fahrenheit, gesunken\nTer Vesuv in Italien ist von einem\ndichten schneemainet bedeckt.\nIn Frankreich und dem südlich n\n: Europa ist der Eisenbahnverkehr ih.il-\nweise lahmgelegt Paris und llmge\n! düng ist säst vvllständig vorn Telegra\nphendiens abgeschnitten Am schiimi.\nsie ist die Lage im Süden Frankreich,\nder selten nier dem Frost zu leiden\nbat. Dutzende von Dörfern sind voll\nständig von der Außenwelt inft\'lge der\nSchneesälle abgeschnitten. Die ärmere\nBevölkerung hat unsäglich zu leiden.\n> Biele Todesfälle sind bereits vorgekom\ninen.\n!\nttcilie Arbtitslostii im Horden.\nDuluth. Minn., 31. Deo.\nRach der Erklär g der große Ar\nbeiisvrrmilllungs.Agkniuren i Du\nluih. Minn. ist auch nicht ein einziger\nAi beiter in dieser Gegend brotlos. Alle\nHolzsällcr haben Beschäftigung.\nOclbriiniicii-OleschichtlichcS.\nDie Entstehung unserer großen\nPetroleum - Industrie wird meistens\nauf die betreffenden Entdeckungen\nin Peiiiisylvanien zurückgeführt. Aber\nmehrere ui.ierilanische Staaten erhe\nlen den A ispruch, schon geraume Zeit\nzuvor eincn oder mehrere Oelbrunnen\nselzabt zu haben, die in tatsächlicher\nBenutzung waren.\nIn West - Virginicn wird be\nstimmt versichert, daß in Oeibiun\nn.-n an he Ufern de Kanawha-\nFlusses, auf der Stätte, wo heute\nEbarlcsfti. steht, der erste in unse\nrem Lande gewesen sei und 51 Jah\nre vor dem berühmten Brunnen von\nTiti\'svillc, Pa., floriert habe. Lctz\nfties mag inan leichter glauben, als\nmft erstere.\nKenluctyer behaupten, hast, in ih\nrem Heimalsstnatt\'s.avn sehr früh ein\nz Pliro\'er.rnl,ru::nrr. betannt gewesen,\nj er weiter ni Zs danui getan war\n! den sei. aIS eiinn kleinen Teil des\n! \'l\':odut:-:s ans Flaschen ,zn zieh::\ni und aIS Salbe m Hcuißcrbanöel zu\nrerlau feil!\nEs ließen sich noch mehr derar!\'g<\nVeispiel- anführen: doch sind dietcl\nl-n sämtlich lanin von größerer prat\nulchcr Bedeutung, als enva die Ame\nrika - Entdeckung von EolnmbuS\nUnftreilig ist die Geburt der wirtli\nchen amerikanischen Petroleum In\ndustrie von der Entdeckung von Fi\nluSville zu datieren.\nWestvirginien ist erst vor etwa\nzwanzig Jabren ein großer Petrole\num Staat geworden und seitdem\ngeblieben Es hatre zwar vor dein\nBürgerkriege eine belrächtliche Indu\nstrie dieser Art entwickelt: doch wur\nde dieselbe während ver Zeit der\nFeindseligkeiten sogut wie zerstört,\nund nach dein Kriege hatte sie viele\nJahre Hindu.ch um ihre Existcnz zu\n\'ämpsen. Im Jahre ltüiO aber er\nreichte sü, in diesem Staat ihre höch\nste Ctuse. nämlich eine Ausbeute von\nüber 16 Millionen Faß. Sv hoch\nist sie nicht mehr gekommen: aber\nder Geldwert der 12.200/100 Faß,\nwelche 1!>!2 erzielt wurden, überstieg\nden ,edes anderen Jahres, ausgenom\nmen jenes Banncrßihr.\nIn Belgien ist als Belohnung\nfür gutes Verl-allen den Jnsaisen der\nGesängrussc das Tabakrauchcn er\nlaubt.\nBei den Erdbeben von Js\nchia, 28. Juli 1882, blieb in der\nStadt Easamicciola gerade nur ein\nHaus stehen.\nDie groß en Ochsevhäuie lie\nfert gegenwärtig Frankreich. Neulich\nivuode eine von 87 Oaiadratfuß\nnach den Brr. Staaten gesandt.\nGenera! Timofcjew degradierte\neinen Offizier ..:id schickte ibn nach\nSibirien, wel er aus der Straße den\nHalskrage ossei. getragen hatte.\nZur Zeit des Kirchenstaates\nempfing der Pap 6 für jede Mene,\ndie er selbst las. 27 Paoli \'-?1/10>.\nEinem Gelehrten in London iß\nes gelungen, mit Hilse eines elcftri\nschen Ofens eine G\'.-röhre mit ei\nnein äußeren Durchmes\'-r an nur\n27 Tausendstel Zoll b\'r;ust:!!en.\nIn I n terna! i o a a ! Falls,\nMinn., w\'uvr di- 2 J.\'lre alte\nFrau Herr, nn Girse vurch\neinen unglücklichen .-\'fall durch ei\nwen Schuß ins Herz ans der\nStelle getötet. Ein Gewehr, mit\nwelchem ihr vierjähriges Schnellen\nMiften spielte, war zur Entladung\ngekommen. Seck " Keine Kinder h,r\nixn die Mutter verloren. Tie Fa\nmilie kam ans Bemidji nach Inter\nnational Falls.', 'publisher': 'C. Halbwachs', 'language': ['English', 'German'], 'alt_title': ['La Crosse nord stern', 'Nordstern'], 'lccn': 'sn86086186', 'country': 'Wisconsin', 'ocr_eng': "* Entered in the Poet Office in >\n' teCnow, Wi*.. at eeeond claen rates.", 'batch': 'whi_clabbert_ver01', 'title_normal': 'nord stern.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn86086186/1914-01-02/ed-1/seq-1.json', 'place': ['Wisconsin--La Crosse--La Crosse'], 'page': ''}, {'sequence': 1, 'county': ['Vernon'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85040451/1914-01-07/ed-1/seq-1/', 'subject': ['Viroqua (Wis.)--Newspapers.', 'Wisconsin--Viroqua.--fast--(OCoLC)fst01234647'], 'city': ['Viroqua'], 'date': '19140107', 'title': 'Vernon County censor. [volume]', 'end_year': 1955, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Available on microfilm from The State Historical Society of Wisconsin.', 'Editors: D.B. Priest, Aug. 23, 1865-May 12, 1869; W. Nelson, May 19, 1869-April 28, 1875; H. Casson, Jan. 17, 1877-Oct. 21, 1885; O.G. Munson, Oct. 28, 1885-Jan. 7, 1920; H.E. Goldsmith, Dec. 21, 1921-June 29, 1950; G.A. & M.S. Hough, July 6, 1950-Nov. 3, 1955.', 'Publisher varies.', 'Supplements accompany some issues.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Viroqua, Wis.', 'start_year': 1865, 'edition_label': '', 'publisher': '[publisher not identified]', 'language': ['English'], 'alt_title': ['Censor'], 'lccn': 'sn85040451', 'country': 'Wisconsin', 'ocr_eng': '70L. LVIi: No. 1\nShort News Stories of Interest\nPick-Ups by Censor Reporters of the Coinings. Goings and Doings of\nViroqua and Vicinity\n—Mackinaw coats at Stoll & Groves. ’\n—Window glass and putty at Tow\nner’s.\n—Farms listed, bought and sold. W.\nE. Butt.\nBrick, tile and cement at the Nu\nzum Lumber Yard.\n—Editor Haughton was over from\nWestby on Monday.\n—Hogs and tobacco make great traffic\nin Viroqua these days.\n—Assemblyman Grim.-rufl. was in the\ncity from Westby on Friday.\n—Dr. Chase, dentist, office in INat\nonal Bank building. \'Phone 32.\n—Reiser.auer harp orchestra at Run\nning\'s hall Friday night, January 9.\n—Geo. D. Thompson of Hillsboro\ncalled on his mother here and others.\nMiss Hope Munson went to Chica\ngo to pass a few days with rela ivea.\n—The best cement and plaster at\nright prices at Bekkedal Lumber Com\npany.\n—Louie Sotberg now drives a Buick\n“30” roadster, purchased from Tuhus\n& Clark.\n—G. K. Mork of Soldiers Grove was\n•with his brother T. 0. Mork for anew\nyear visit.\n—A fine line of Christmas and New\nYear post cards, 1 cent each. J. W.\nLucas Jeweler.\n—Oar present stock of Edison two\nminute records closing out at 2 for 25c.\nBrown Music Cos.\n—lf your roof leaks, stop it with\nroof cement. Bekkedal Lumber Com\npany have the best.\n—Ladies, Barker’s Anticeptic will\ndestroy all offensive odor from perspir\nation. All druggists.\n—Shaving sets, mugs, brushes,\nstrops, soaps, powders, hones and ra\nzors at Davis’ drug store.\n—James Wanless, a former Liberty\nPole blacksmith, is here from South\nDakota greeting ola friends.\n—Mr. P. L DeWitt returned from\nCalifornia, where he went a year ago\nexpecting to make it his home.\n—Almost 89 years old, Mrs. Anna\nRonghulet passed away in the town of\nCoon, after many years residence there.\n—Miss Kathrine Lindemann is unable\nto return to her work at Oberlin college\nbecause of a sprained limb produced by\na fall.\n—Don’t think all mackinaw coats are\nthe same in quality. Chippewa macki\nnaws are different. See them at Stoll\nSt Groves ’\n—Amos Schroeder of Viola., has com\npleted the normal course at La--. Crosse\nand accepted a position as teahcer in\nBangor schools.\n—George Willgrubs of Madison, has\nbeen the guest of Mr. and Mrs. Otto\nE. Davis. The gentleman is an uncle\nof Mrs. Davis.\n--Kr. (..id Mrs. Fiank H. Williams\ndeparted, on Monday, for a winter’s\nsojourn in the south, Biloxi, Mississippi,\nbeing their objective point. t\n—Viroqua - Viola basket ball teams\nwill contest a game at the Opera bouse\ninjthis city on Friday night Give the\nhigh school teams a big audience.\nProf Theodore Running circulated\namong relatives and frie.ias in this\ncommunity during holiday vacation from\nliis work at Michigan u.iivereity.\n- T h e city library has just received\nsome new bonks for the juvenile de\nparinn nr. These books will be ready\nfor circulation Thursday afternoon at\n3:3j.\n—Walter S Proctor and wife leave\nfor California tomorrow, going there\nto make it their home, where he has\ninterests in connection with his broth\ner and William Webb.\n—His county board fellow members\nwill be bleßsed to know that Supervisor\nBrad Baley is grandpa, a little son com\ning to the home of his son, Worth Ba\nley, at Hillsboro, a New Year boy.\n—Town treasurers first to make pay\nments of tax money into .he county\nare John C Thompson of Jef\nrferson, Frank R. Eno of Forest, T. S.\nJordon of Union and John W. Waddell\npf Stark.\n—One only, fine fur lined coat, genu\nine unplucked otter collar and cuffs,\nregular price $75, and worth more. Re\nduced to S6O, a rare bargain, one you\nwill never see again as the price ad\nvances each succeeding year. The Blue\nFront Store.\n—Viroqua camp is represented in the\nbig northwestern convention of Wood\nmen now in session at Minneapolis, by\nJ. Henry Bennett, Dr. Surenson and\nOscar Larson. Other county camps\nhave delegates present but the Censor\nhas not the names. Mr. Bennett had\nthe honor of being permanent chairman.\n—Pearl Morley and Edward A. Schmidt\n•who ten days since, went to the south\nwith buoyant hopes of securing work\nat their trade, are home and glad to be\nhere. They say there is forty men for\nevery Job in the south. They visited\nMemphis, Hot Springs and many other\ntowns and found the same conditions\nregarding surplus labor .\n—Mr. E. G. Davis came from his new\nhome at Litchfield, Minnesota, to pass\na few days with relatives and friends\nin Clinton and Webster. He tells the\nCensor that he is well satisfied with\nconditions west and has added a nice\nlarge slice to the farm originally pur\nchased. The sons of Frank Edwards\ncame down from Minnesota with Mr.\nDavis.\n—There will be plenty of attractions\nat the Opera bouse this month including\nspecial moving picture features every\nWednesday and Saturday evenings.\nHarmount\'s Uncle Tom’s Cabin Com\npany, carrying eighteen people, Van\ndyke & Eaton Company, lecture course\nand home talent. The greatest eight\nreel feature now making the iargest\ncities in the world, "The Last Days of\nPompeii,’’ will be given the latter part\nof the month.\n—Coon Valley loses one of her fore\nmost citizens in the death of Dr. Knute\nC. Storlie, the end coming on Decem\nber 28, in LaCrosse hospital, where he\nhad rece-ved treatment for some months\nI for heart and kidney trouble. Daring\nhis years of residence there Dr. Storlie\n|had ingratiated himself in the g iod will\ntoad affections of all peopip by his noble\nweds as citizen, business man and phy\ntoian, and his death is universally\n■jorned During the foneral, which\ntots conducted by Pastor Sovde, every\ntowines* Diace in’ the village was closed.\nJrr. Storlie was 15 years old.\nTHE VERNON COUNTY CENSOR\n—Money loaned. W. E. Butt.\n—lnsure with John Dawson & Cos.\n--Overcoat sale this week at Stoll &\nGroves.’\n—Lamps and all kinds of lamp acces\nsories at Towner\'s.\n—All kinds of storm-noof roofings and\npapers at the Nuzura Yard.\n—Dr. Baldwin,dentist, second floor\nFerguson building. ’Phone 66.\nMrs. Lauder has established an egg- \\\nbuying agency at Cashton.\nW ill Glenn came from Neenah to;\npass New Year’s day at home.\nEdison two-minute records, 2 fori\n25c, while they last. Brown Music Cos.\n—Place orders now for storm sash,\nwhile our stock is complete. The Nu\nzum Yard.\n—Chairman Helmuth Conrad of Clin\nton was in the city on official business\nMonday.\nMiss Minnie I.epke of Harmony was\na guest of Mrs. D. 0. Mahoney during\nvacation.\n—Prof. Roy J. Carver passed a por\ntion of his holiday vacation with Viro\nqua friends.\n- Leave orders for cut flowers and\nfuneral designs with A. E. Surenson\nand you will be satisfied.\n—I have a place to loan $2,000 and\nS7OO at 7 per cent 1 have some money\nat 5 per cent. W. E. Butt.\n—Mrs. Ashbaugh came from Minne\napolis to spend some time at the Sidney\nHiggins parental home at Liberty Pole.\nMrs. Hettie Rusk-Bolstad came\nfrom her home in lowa to pass a few\ndays with Viroqua relatives and friends.\n—John H. Seymour of De Soto vicin\nity purchased one of the popular Buick\n826 touring cars from Tuhus & Clark.\n—Mathias Hanson has completed a\nthree-section automobile garage on his\nresidence lot west of the St. Paul de\npot.\nMrs. George Welch returned home\nfrom the hospital after several weeks’\nabsence, submitting to an operation for\ngall stones.\n—Cbas. E Chase and wife arrived\nfrom their new farm home in North\nDakota to pass balance of the winter\nat La Farge.\n—John Showen was in the city from\nWest Prairie. Says himself and wife\nenjoy their work on Dr. Christenson’s\nbig dairy farm.\n—Plenty of those dreamy moonlight\nwaltzes when the Reisenaur haip or\nchestra plays at Running’s hall Friday\nnight, January 9.\n—Jas. E. Mills of Jefferson took him\nself to Ohio, where rext Monday he\nwill be wedded to a lady of that state,\nMiss Alice Slinker.\n—We are rushed with business but\nwill use you right if you will come in\nand mke your wants known. Bekke\ndal Lumber Company.\n—F’red Hayes, afier spending a fort\ni.ight here returned to his dental studies\nin Minnesoolis. He likes the school and\niiis chosen profession.\nn Oscar Lindevig, one of the get\nthere young farmers of Whitestown,\nwh business visitor to the county\nseat or, Wednesday last.\nWestby loses another aged citizen\nby the going of Mrs. Johanne Melby,\nwho died at the h;me of her daughter.\nMrs. J. K. Running, aged 83 years.\n—John W. Brown and wife arrived\nhome on Monday from a week’s visit\namong relatives and friends in the vi\ncinity of Avaiance and Bloomingdale.\nDr. and Mrs. A J. Moe and son of\nHeron Lake, Minnesota, returned home\nafter enjoying a visit at the parental\nhome of Mr. and Mrs. Jerome Favor.\nPostmaster Shallert and wife of\nChaseburg have intered upon a most\ncommendable wcrk by adopting from\nthe Sparta state school two little girls.\nJudge Mahoney experienced a\nsprained ankle \'or a fortnight, part of\nthe time confined to his home. He now\nhobbles about with assistance of a cane.\n—Cronk & Willard, Chiropractors.can\ncorrect your disrlaced spinal bones,\nwhich cause you* chronic aches and\npains. In Ferguson Bldg., Suite 2,\nphone 27.\n—Do not ovorlook the storm windows\nand doors till cold weather comes. Or\nder them now. Bekkedal Lumber Co\nmpany will take the measure and guar\nantee a fit.\n—Pizzicatto fingering, staccato bow\ning, .he correct method of shifting and\nposition work, will be thoroughly ex\nplained by C. F. Wallace, violin teach\ner, at Running’s hall every Sunday.\n—Christmas, with its good cheer, has\npassed, but mackinaw coats will be\nwanted more than ever. To supply this\ndemand we have just received anew\nline in the best quality and styles. The\nBlue Front Store.\n—Dr. C. D. Mead, graduated and li\ncensed Osteopath, can correct your le\nsions that cause your chronic aches and\npains. Also treats your acute cases of\nall kinds. Over Blue Front Store.\nPhone 209, bouse 312.\n—Mrs. William Proksch of Stoddard\ncommunity, after a week’s illness with\npneumonia, died January 2, aged 67\nyears. She had long been a resident of\nthat neighborhood, leaves husband, sev\nen sons and foar daughters.\n—Mrs. OleC. Sveen returned to South\nDakota after some time passed among\nthe scenes and with friends of other\ndays. Mr. Sveen was treasurer of Jef\nferson for some years and a long-time\nSpringville clerk and merchant.\n—Neighbors and friends of Mr. and\nMrs. N. C. Bergh gathered at their\nhome near Newry, a week ago last\nSunday, to make merry with them on\ntheir twenty-fifth wedding anniversary.\nIt was the occasion of a house warming,\nthey having moved to anew residence.\n—Lawrence Brody, graduate of last\nViroqua high school class, paid a visit\nto his alma mater on Monday. He is a\nstudent at LaCrosse normal. Lawrence\nis honored by being chosen aa one of\nthe debating team for the school in its\ncontests with other normals. The mon\netary system of the country is subject\nto be discussed.\nA special meeting of Viroqua lodge\nwas held to coni • the first Masonic\nhonor upon Kenneth Smith before he\nreturned to university studies. It is a\nrare thing for one to have such honor\nand privilege granted him the day be\nreaches his twenty-first birthday. Mer\nchant Tbos. Dahl received the same de\ngree at that session\nJUST HOW WE ARE EQUALIZED\nReal Estate and Personal in Several\nCounty Precincts\nBelow is given the equalized values\nof Vernon county as determined by the\nlate county board and distrist income\nassessor:\nTowns. Etc. Personal Real Eat. Total\nBergen I 122.745js 751.4*\'* 874.J78\nChristiana *37.948 1.441.660 1 679.548\nClinton “04,353 1.015.786 1.320,1*8\nCoon 166.128 1,034,800 1.190.928\nForest. *20,338 869.95 b 1.090.194\nFranklin 261.879 !.9&* 1.938,139\nGenoa 157.673 596.096 758.769\nGreenwood 173 870 1,161.126 1,337.996\nHamburg 300.032 962.654 1.162.686\nHarmony 169.818 930.858! 1.100.676\nHillsboro 167.890 1.157.058 1.324,948\nJefferson 208,649 1.578,860 1.782.5-9\nKiekapoo 149 251 800.264 949.515\nLiberty 98,611 485.156 530.707\nStark 144,097 694.694 838.791\nSterling 284.9\'! 1.150.902 1,385.8!!)\nUnion 149.548 948,542 1.096.090\nViroqua 225.928 2.015.260 2.269.18S\nWebster 178,128 836,560 1.014 686\nWheatland 98,617 416 304 544.921\nWhitestown. ... 136 547 649 446 785,99’\nCoon Valley village 77,134 167.678 245.012\nDeSoto village.... 53.651 62.017 115,711\nHillsboro village 144.604 485.032 6*9.86*\nla Farge village. . 130.466 336.346 466.812\nOntario village 51.543 106,1812 158,445\nIteadstown village. 78,116 164,638 242,754\nStoddard village .. 40,432 98.901 139,333\nViola village 24,258 156,292 180.550\nViroqua City 679,292 1.830.826 2.510.112\nWestby village... 236.278 567.948 844,326\nTotal 5,287.869 26.188,406 30.426.277\nW. N. Coffland went to Milwaukee\non business.\n—Keith Nnznm passed a week in\nMinneapolis.\n—Mrs. Martha Hall visited her sons\nat Cashton.\nDonald Clarke and wife arrived\nfrom Chicago.\n—Clark Wheeler suffers from an at\ntack of neuralgia.\nMaeder orchestia dance Thursday\nnight of tbid week.\n—Elmer Loverud has purchased a 120-\nacre farm in Dunn county.\n- New subscribers to the Censor\nhave been numerous of late.\n—lf you want sweater values buy the\nBradley from Stoll & Groves.\n—25 per cent discount on all cloth,\nplush and fur lined overcoats.\n- Don’t miss the Maeder orchestra\ndance. Tomorrow night. Thursday.\n—George Wheeler is erecting anew\nwind-mill in northwestern part of town\nKeep your walks free of snow\nCity ordinance compel < this action, and\nits right.\n—Mr. and Mrs. Jerome Favor had as\nguests Mrs. Shields and little daughter\nof Sparta.\n—Brown Music Company delivered\ntwo Kurtzmann pianos in Sparta last\nSaturday.\n—Martin Jackson of Sparta was a\ngue?t of hia eon and daughter for a day\nth Viroqua.\n—January second was the first day\nof the winter to necessitate sidewalk\nclearing of snow.\n- Dance at Running’s hall Friday\nnizht. January 9. Music by the Reiser,-\neuer harp orchestra.\n- Mrs. E. W. Hazen has been in Min\nnesota for some days, called there by\nthe illness of a sister.\nMrs. Angeline Hart, an aged wo\nman and cld resident of Ontario, is dead.\nAlso Mrs. J. P. Sullivan.\nAbraham Lee and wife came from\nMinot, North Dakota to pass some time\nwith relatives in this section.\n—Mrs. Joseph Cunningham and four\nchildren arrived from North Dakota\nfor a protracted stay with relatives.\nHarvey Seeley autoed over from La\nFsrge on Friday. Said it was danger\nously slippery on hills to manipulate a\nmachine.\n—lf you want to see one of th e\nmost beautiful cars built, drop into th e\nTuhus & Clark garage and inspect thei r\nBuick model 837.\nNewton reports an unseemly brawl\nand disturbance of the peace for peace\nable citizens. Booze is said to have\nbeen the disturber.\n—Mrs. Phoebe Price died at Cashton,\naged 87 years, a resident of that com\nmunity almost a half century. Inter\nment in Clinton cemetery.\n—After a month of intense suffering\nfrom carbuncles in a LaCrosse hospital,\nC. W. Moore is home and his condition\npermits him to be about.\n—lnstallation of officers in Viroqua\nModern Wwdipan Camp will occur\nThursday evening of this week. All\nmembers are requested to be present.\n—Miss Gertie Glenn returned from\nhomesteading in Montana, expecting to\nremain at home rest of winter. John\nGlenn and family are also here from\nthe same section.\nWinter is here at last, and with it\nyou will want a warm overcoat. Plush\nlined, sheeplined or fur outside. The\nbest and cheapest will be found at The\nBlue Front Store.\n—Only a few childrens’ and boys’and\nmisses’ mackinaw coats left, ages 5 to\n15, no more to be had. Come soon if\nyou want the most sensible garment for\na boy or girl. The Blue Front Store.\n—Miss Marie Fladhammer is visiting\nwith her Sister, Mrs. Iver Morkrid and\nfamily at Southam, North Dakota.\nFrom there she goes to Grand Forks\nand Fargo to visit relatives and friends.\nFrom the Morkrid western home comes\ntbe news of the arrival of a baby boy.\n-J. E. Shreve, who recently sold his\nfarm in Jefferson to his son and son-in\nlaw, has purchased property and will\nsoon move to the city. His new pos\nsession is the DeGarmo residence and\nthree acres of land a block east of the\nold fair grounds.\n—Tbe old Van Wagner residence on\nlower main street was purchased by J.\nE. Nuzum, who in turn exchanged it\nwith J. W. Sanger for his Kiekapoo\nfarm, Mr. Nuzum selling the farm to\nGeo. S. Taylor of Pleasant Ridge. Mr.\nNuzum retains the acreage property in\nrear of the Van Wagner place.\n—Mrs. Adam Carlyle, a former well\nknown pioneer woman of DcSoto, died\nin LaCrosae on Christmas day, follow\ning a stroke of paralysis, aged 85 years.\nRemains were conveyed to DeSoto for\nburial where the husband died years\nago. Two sons and three daughters\nsurvive. Tbe Carlyles were among De-\nSoto’s earliest and most influential cit\nizens.\n—At Acme, Oregon, recently occur\nred the death of Sidney Waite, aged 86\nyears, from apoplexy. As early as 1852 \\\nMr. Waite located in Whiteatown, farm- \\\ned and logged. He was one of tbe |\nsturdy men of Vernon county in pioneer\ndays With his family he moved to the ,\ncoast country in 1889, where they pros- ■\npered in lumbering operations.\nVIROQUA, WISCONSIN, JANUARY 7, 1914\nWAS DISTINGUISHED IN CIVIL AND MILITARY LIFE\nTaps Sound for Vernon County Honored Soldier-Citizen\n—General E. M. Rogers\n>• W -A < ’•/ ’\nI\nj .... ! : ...\ni’- . <•\'; I I\n\' | , i *■’. V.- :*1\n| j j\n. > * \' gjgpf\n■it * .* - jj\ntu- v. ■ mmnmmtmte j\nThe uniiinpl i and unexpected death\nof General Ejh M. Roffeie, which came\nin a Milwaukee hospital at an early\nhour last Saturday morninff,cant n cloud\nof sorrow over this entire community\nand brinffß a personal grief to the pub\nlic second only to that sustained ty his\nimmediate family and kinst.ip. Two\nweeks and one day preceding his death,\nwith Mrs. Rogers, the general left\nhome, contemplatirjr a winter in the\nsouth, to halt briefly in Milwaukee,\nwhere he contract! and he cold that pro\nduced pneumonia, and the result is too\nwell realized. With him at the hour of\ndissolution were Mra. Rogerf, his two\nsons and son-in law, Dr. C. H. Trow\nbridge. His daughter and daughter in\nlaw arrived a few hours too late to\ngreet him iu life. The I ’truins arrived\nhurt) Sunday morning ct-lfirSrere taken\ndirect to the old home, where many of\nthe tender memories yf a loog and use\nful life were centered\nThe last rites were held in thr Con\ngregational church Tuesday afternoon,\nthe remains lying there in state fur sev\neral hours preceding the service, ar.d\nthere passed in review hundreds if riot\nthousands of and schoolchildren\nto look upon the familiar features of\niin who had been so long and actively\nan agency for education and the best\nthings in community life. At the cask\net were stationed sentinels of honor.\nGrand Army corarades.the men near.-Bt\nhis heart and sympathies in life. The\ncasket was covered by sn American flag\nand banked with beautifully arranged\nfloral offerings. Emblems from the six\norders to which deceased belonged be\ning especially expresoive of love and\nesteem—the Grand Army,lron Brigade,\nLoyal Legion, Odd Fellows, Masonic\nand Royal Arch Chapter.\nThe church was filled to its capacity.\nServices were simple.conducted by Pas\ntor Bayne from the Episcopal ritual, a\nprayer and two selections by the male\nquartet.\nSlowly and sorrowfully the procession\nwended its way to the silent city where\nthe precious remains were returned to\nMother Earth, C J. Smith conducting\nthe Masonic service,and the Grand A<-my\nwhich was an escort of honor, offered\nits tr\'bute and sounded taps. The pail\nbearers were tbe near neighbors and\nIntimate pergonal and family friends of\nthe General —Col. C. E. Morley, H. P.\nProctor, Fred Eckhardt. F. M. Towner,\nE. W. Hazen and 0. G. Munson.\nNo more timely or truer tribute can\nbe paid to the life and memory of Gen\neral Rogers than to say he was a com\nmunity man—one whp believed in his\nneighbors and next to his family his\nneighbors were of most concern to him\nin his every day life. In times of war\nand peace he performed well and man\nfully the stations that came to him,and\nhis civilianship was in keeping, always,\nwith the honorable and heroic part as\nsumed in the days when his country’s\nhonor was in the balance and her insti\ntutions threatened with dissolution. He\nwas a gentleman combining the old and\nnew schools of ethics, surmounting pov\nerty and early disadvantages and fitting\nhimself for enlarged problems He ac\nquired a fund of information which\nplaced him in the front ranks of think\ners, readers and writers all worked out\nin a clear mir.d. In history, art and\ntravel, knowledge of the religions of\nthe world, he had few equals. He pos\nsessed the charitable, sympathetic and\nhelpful spirit to the fullest extent. His\nacquaintance at home ar.d throughout\nthe state was wide and of the best char\nacter. Hia presence has gone from us\nforever; we shall all long revere his\nmemory, remember his good deeds and\ndrop a tear with those moat sorelv be\nreft.\nThe last coon y history deals so fully\nwith the biography and ichievement of\nthis our departed friend an I neighbor\nthat we reproduce the same In it is\nembodied the testimonial of hUold army\nCommander. General Bragg.\nGeneral Roger* was a native ot M the old K"ytonc\nstate having been bom at Moui tjPlssssi e Wsvue\nconntr. Pa.. July H, ISZ3. and I- a# a nor. of Clay\nton mnd Tryphosi* Rovers. hots nf whom were\nlikewise born In Wayne county, where the reepect\ni. - families were founded in r.he pK.r r days,\nfit* ancestors were of colonist ..uck ir. New gna-\nGENERAL EARL M. ROGERS\ni land. *nd H : s ir atrrral ennui father. .Twines Biwro\n■Ji w, fti\'rvtnl m r noMnn in thi v**nth Massitchn\n! ivgmu nt. under Colonel Jackson, in the war\nj tho Revolution. Grrcral U pa?v*j hia oar\n| ly youth in his native state, whe o he was afford\nj t.d the advumageeof tbe Hu sett,\ni tied in Dam- county, in lH r A removed to Crawford\ni county in \\?V2, ant, at the age of sixteen year#, he\ntjok up hi abode in the Httlo village of Liberty\nt Pole, which a then the principal town of Ver\nnon | county. There he a‘cured tmplo>ment as\n! clerk in agent r *l $t re. He remained thus cn\n! IMW or.til *X6O, when ho clos ed the plain* to\n; Coloiado, which was then known a JeiYerHonTer\ni ‘F" r v. H<- made th* t rip with * treiuhtinit train\ni XDkh trail,ported *ui-t>iiu. to the tnir.cu, north of\nj the present city of D*nv r, anrt Leavenworth,\ni Kan . al!ho i.utrtt‘,:j point from whiih the\n| wagon tram aet forth Ho returnod to Liberty\nFoie in the aut.-mn of the ,am<- year ami in the\nj following year he manlfeateil hia loyalty to tho\n1 Union by tendering hi, aerviee, in itn -lefonae.\nj On June 1, 1861. he onl .tiil aa a private in Com\n! i-any t. Sixth Wisconsin inf. htry, with which he\nproceeded to tht rronl and\'with which he solved\n! ttatli thett|haaoT th* war, bovine boon aide do\n! c imp on the staff of Oeni-ral Wadsworth nnlil tht\nj dMIX or In* titter whole,\', hia lire in the battle\n\' of the tYlMorreai, Xh-\'-a-.fler b. \\va, a-deon the\nstaff of General Biaotr until he tta - mustered out.\nMarch 17, 1865. He t- ok part in many of th im\nportant battle which marked tha pr*fleaa of the\ngreat conflict, and ami: K the number may he\nI mention, and the f -l\'-i-ctr k: Rappahannock, Guins\n! vine, eeeord Bull Run. Chantilly, S uth Mnun\n; tain. Antietiun. Fredricahurtr, Fitshnsrh\'s Crosa\nmjj Chancellorsville, Gettysburg. Min.- Run, Wil\ndi-mesa, laiurei Hill. Spoltaylvania. Jericho Ford.\nI Cold Harbor. I’,-terhurir. and Hatcher\'s Run in\nj October. I test, and second Hatcher’s Run in Feb\nruary 1867, In October tß6|, hi- was made first\nxerceant of hie company. In January. 188?, was\ni promoted second lioutenart, in which office he\n* served unto Auirust, 18*13, when hi* wan made first\n| lieutenant: in Octi*ber, )Bt)i, he w-as eomtriirsioned\n* captain and wax twice brevotted captain and ma\n: Jor for irafian t and me.- I \'ori us services in the hot*\nt\'l-aof ih- Wtldsrn.es and Fet-’rabunr. In a per\n( anna]l letter to General ttogerii from h : a old com\nmander General Edward 8. Brace, the latter\n1 awoke as follows, -the communication bearing date\nof April 11. 190°: "It is not possible to write your\n, military hptory without cove\'inif th,* history of\nj the Sixth Wisconsin readment in lour veers* ser\n. vice with the Army of the Potomac, of the Iron\n] Brigade in Its wonderful history, and of theßuck\n! tad Brigade of Pennsylvania, in the battle of the\nWilderness, Spottsylvanis, North Anna. Hanover\nand Rethesila church, where *. ou served on apeci\n} al duty as my ni *o-de-cun p it - my in no l it rnoire\n* /rum ths lieutenant* of the Ir ult i u fe. From\nJuly. 181. until after the litie of February 5.\n! IWu, your soldier\'s life is familiar to ms — as pri\n! vnte. non-commissions,l l fii.-er. lieutenant in the\n| line, ever trux/p, cie rtti.ly, nr re. yrovltna, but\nI alwayest it unto attain the hijhe-l dram of\n| rjriil\' nc in the performance of uny and every\nI duty given you to do. In the second day of the\n\' disastrous battle on the Flank Road in the Wilder\nj nesa your heroic effort to save the Issjy of your\nj chief, the irrand old l iitri.it Wadsworth, who fell\n1 from he: ho-ee. shot, while you sere beside him,\ni hia perauns\' aide de camp, sho- Id n.it tie lost to\n! history. Two niirhts later came the awful march\nin the mud. dyrk aa Erebus, and with strange\nj troops, you and Daily as fiank* is. to drive the\nstrairirl, rs and dodgers intv the road and keep the\ncolumn in motion. At Petersburg It waa at my\nside you fell wounded, while standing beside yoor\n\' kjs! on the rolling crest in front of and within\nI abort musket range of the enemy*\'* ehlrenrhed\n- line that the Iron Brigade, under my command.\nwer* assaulting in sinule lii.c without support.\nI-atcr you returned end rtnuir.rd duty, with en\nj ;i n W It id, not yet healed and being unable to\n1 wear your swoid belL. and by my side for eisht\nj lona hours, from morn ti.l night, fouaht Gor\ndon\'s division of Kebeami tepulbfd them, flichtirut\n, across and recroas the field called Second Hatch\ner’s Run. against superior force but holdina the\nfield until late In the afternoon. No. I can\'t write\nI It, for it would nuke a book, but I can say, and\nthat sums it all un, your soldier’s record of four\nyears was Vine p ur, suns irprui lir. " After the\n, dose of his lona and faithful service in defense of\nthe integrity of the republic f. oner a t !’.,*< t 1\n] returned to his home in Vernon county, where he\nremained until 11057. in March of winch y r lie\n. was appointed second I eulenantof the Third In 11-\nI ed States infantry, with which be Van in active\nj service on the western plans. vuardiu* track lay\nera on the Union Pacific Jtadroad und escortmir\ngovernment supply train\'* to New Mexico. He\nwas erutared in a battle with tbe Indiana at Cim\narron. He resigned his commission and retired\ni from the regular army in IseM, afte which he re -\n. turned to labertv Pole, where he was enjrsgod in\nthe general merchandise busmens for many years\nand where he built up a most, successful enter\n: prise. In 1*72 General Rotters removed to Viro\n\\ qua. where he continued in the same line of busi\nness, as one of the leading merchants of tire city,\nuntil I*2. since which time he has lived virtually\nretired. The mercantile busir **-* }* continued by\nhis elder son. Henry E. The Or oral was one of\n. the loaders in tbe ranks of republicans of Wiscon\nsin. and in 1900 he was s candidate tor tbe nomi\nnation for governor of his lists, but withdrew his\n. candidacy be \'are the meeting of ihe nominating\nconvention- From l a -4 until lb:Cl he served ■** 01-1\n1 lector of internal revenue for tire second district\njof the state. The General was incumbent of the\n; office of \'luartrrmastrr-treneral of the state troops\nduring the administration of Governor Rusk anj\ni took an active part at the Milwaukee riots. He\n. was affiliated with the Masonic fraternity, the In\ndependent Order of Odd Fellows tire Grand Army\n,of the Republic and tbe Do al le-vion. He was\n1 one of the honored and valued member* of Alex\nIxiwrre post, Grand Army of the Republic of Viro*\noua. tit** first orrsniz-d in the county, and he waa\nita tirst commander He and his wife were com\n: municants of the Prolestai t Episcopal church.\nTbe General was a man of distinctly n ifary bear*\nins. erect and vigorous.**!*! rivory siiyht ‘-videoce\nof the years which reeled upon him He has been\na loyal and public-spirited cithern donna his lona\nperiod of residence in Vernon counf > urd there\nhis circle of friends is cccum* rifsd only by that\nof hia sc/iuainlances. He was a man of broad in\nformation and mature judgment, rrenarous and\ntolerant, and one who well den- rved tie grand old\nname of gentleman. He has.traveled extensively\nand widen**! his fund of knowledge b; a Pprecis- |\ntive observation and by association w tb men of ‘\naffairs. He visited Europe and Mexio and also ’\nmade sojourn* in the most diverse auction* of bis\nnative land. On February * I*o4, was rolemnixed :\nthe marrisire of Genere I Royer* to Mies Amanda ,\nI*. William* daughter of Israel and Eilabeth Wit- 1\nliamsof Vircviua and her death occurred in IS9O. ,\nShe is survived by three cUioreti: Henry E.. Ed- j\nward X,.. who is United slut** Exprea street at !\nSparta, end Edith M.. who is the wifeo Or. Chaw. *\nH. Trowbridge. of Vine ua fn lid thnonss Mary- i\nlane, October kl, 1*93, General Rogers w .* united I\nin marriage to Mrs. Par line (Gordon) W ruble. ,\nORGANIZE FOR THE WINTER\nLecture and Entertainment Course\nElects Officers and Makes Ready\nA goodly number of gentlemen met\nby appointment and took action relative\nto the winter ei tertaffiment course.\nOfficers elected:\nFresident—T. O Mork.\nVice-President—O. G, Munson.\nSecretary -B.rlie Moore.\nTreasurer—Will F. Lindemann.\nExecutive Committee—W. U. Dysan. C. J.Smith.\nJ. E. Nt.mm, Henry Lindemann. Dr. J. H. Chase,\nG. F. Dahl. W. K. Cortland. Dr. W. M.Trowbridge.\nOfficers were authorized to push the\ncanvass for subscribers to the course,\nwhich is to consist of five excellent\nnumbers and be sold at the price of past\nsears, or $1.50 per ticket for the sea\nson. There will L ( three musical pro\ngrams—The Mozart Concert Company,\none of the best in the land, The Stroll\ners Quartet, The Lewis Concert Com\npany; one evening of impersonations by\nEllsworth Plumstead and a lecture by\nChancellor George 11. Bradford. The\nfirst number will come on Thursday,\nJanuary 22, with appearance of the Mo\nzart Concert Company, one of the lead\ning attractions in the Redpath bureau\nPast years Tave crowned the efforts\nof our peop e in this entertainment\ncourse and i very enterprising citizen\nshould lend a helping hand to this sea\nson’s efforts. Identify yourself with\nthis commendable work by subscribing\nfor tickets when solicitors approach\nyou.\nFirst Under the haw\nUnder the new eugenics law, which\nrequires a certificate from a physician\nafter a physical examination, before a\ncounty clerk is permitted to issue mar\nriage permit to a man. County Clerk\nMoore granted the first one on Tuesday.\nAnd happily it was to one of the most\nperfect specimans of manhood one could\nwish to look upon, a young fellow up\nwards of 30u pounds.\nThat the new statute is dreaded by\nthe average aspirant for matrimonial\nfavors is demonstrated by the fact that\nin November and December, 1912,Clerk\nMoore issued 40 licenses, while in the\nsame months in 1913 he put out 70.\nThe .aw and attitude of physicians\nand officials respecting the same is some\nwhat set forth on an inside newspage\nof today’s Censor.\nLecture Wednesday Evening\nViroqua music-loving people should\nnot neglect hearing Professor Dykema\nat the high school assembly room next\nWednesday evening, January 14. Prof.\nDykema is of the state university, is\nleader of the Madison choral union, and\na powerful, enthusiastic speaker. His\nlecture on music will be entertaining\nand instructive. Especially are those\nurged to attend who desire the orga\nnisation of a Viioqua choral union, this\nbeing the chief object of the meeting.\nA Man Everybody Knew\nThe Rev. J. D. Searles, a well known\nMethodist minister throughout this sec\ntion of the state, died at his home in\nSparta after a serious illness of many\nweeks. He was about 81 years of age\nand quite an eld settler and promin\nent minister in this part of the state,\nhaving been presiding elder of this dis\n< trie*\'as far back a* JB7d Mr Searles\nwt,“ very highly regarded both in the\nministry and with his large circle of\nacquaintances among the people.\nRenter Wanted at Once\nGood stock and tobacco farm at Pur\ndy, all equipped with marhiAffry and\nstock, 157 acres, fine spring water, etc.\nCall at once if interested, tor will sell).\nNellie Buckley, Viroqua.\nAppointed Assistant Postmaster\nBy authority conferred upon him un\nder civil service rules Postmaster Smith\nhas named Mr K M. Nye as his first\nassistant, Mrs. Nye being one of the\neligible names submitted.\nCome and Help Us\nWe want more help for tobacco sort\ning, both men and women. Come and\nsee us or write. The Bekkedal Ware\nhouse, Viroqua.\nFloyd Bowman returned from Min\nneapolis.\n-Peter S. Nelson is again clerk at\nHotel Fortney after a season on the\nfarm.\nGrand Army and Relief Corps held\njoint installation of officers on Monday\nnight.\nMrs. Dick of Madison is visiting\nMrs. Mary Beat and the C, F, Dahl\nfamily.\n—Thos Ellefson is at the old home\nin the town of Coon, today, attending\nfuneral of his aged father.\n-Miss Fay Smith want to La Crosse\nto attend Elkß reception and New Year\nball ar.d tie the guest of friends,\n—Stoddard village is shocked by the\ndeath of Mrs. Laedeke, who died sud\ndenly from heart failure, aged 78.\n\'—Mrs. C. VV. Lawton arrived from\nLa Farge to spend some time with her\nson Will ar.d daughter, Mrs. W. S\nProctor.\n—The child of Mr. and Mra. C. A.\nHiliupx, taker* sick while here with the\nmother, was able to be taken home to\nRichland Center.\nMr. J. A Porter af Chippewa coun\nty, and Mra. Mclntosh of Minnesota,\nare visiting at their parents’ home.\nHon. and Mrs. Hugh Porter.\nMartin Davidson autoed to Viola\nNew Years day Last Sunday they\nhad as guests their relatives, John and\nEmil Sveen and wives of Westby.\n—The limit of petty thievery and de- j\ngradation wbb reached when u party 1\ntook accumulated coins from sale of\nRed Cross stamps in the Richland Cen\nter postofflee.\nViroqua Implement Company hat)\nleaped ita business prop--ty and dis\nposed of tbe stock to Mr. H. G. Simp\nkins, a well-known traveling salesman\nfor Remlcy engines. Hi* family has\narrived from Minot, North Dakota, ard\noccupy the tenement house of Frank A.\nChase.\n—Viroqua will have a third hardware\nestablishment with the coining of\nspring Mayor August J. Smith, a bus\niness man here for a quarter of a cen\ntury, and his son-in-law, Chaa. A. Park\ner, the well and favorably known sales\nman They will open in the comer\nstand so long occupied by Mr Smith,\nwhich will be vseated by Anderson &\nSauer.\n—Those from outside who came to\nattend tbe funeral of General Rogers\nwere Congressman Each of LaCrosse,\nHon. A. H. Dahl of Westhv, W. J. F.\nBrown of Sparta, W. J. Thompson of\nNew Lisbon, Capt. D. G. James, M. C. |\nBergh and Louis T Johnson of Rich- i\nSami Center. Messrs. Johnson and |\nDahl were in General Pogers\' employ 1\nas clerk ■ r.ore than thirty years ago.\nESTABLISHED 1856\nHARDSHIPSJtf OLD DAYS\nAFFLUENCE PRODUCED BY IN\nDUSTRY AND ECONOMY\nA Foreigner Who Made Success in a\nStrange Land—A Life and Record\nWell to Emulate\nA final departure, a few days since,\nof William M. Bouffleur, for his newly\nacquired home in he state of Oregon,\nremoves from Vernon county ihe Uat\nmember of the family of the late Hon.\nPhilip Bouffleur. one of the foremost\nduring nearly six decades. Mr. Bouf\nfleur was known as one of the most\nsuccessful men in civil life this com\nmunity has produced, aid his activities\nceased with his death a year since.\nHis example may well be emulated.\nTo demonstrate the privations and hard\nships of pioneer days, and the success\nes brought by industry and economy,\nwe herewith subjoin the article below,\nwhich was real by Me. Bouffleur at an\nold settlers\' reunion lurid here in 1902;\nIn 1857, in company with A(Um Doerr. hi 9\nwife and two littlwairlA. now Mrs. Joseph and\nNeal Me Lee*, the vteamer Key City landed us\nat 2 o\'clock a. m . April Dth. a bitter cold ntjrhl.\nat Had Axe Oily, now Genoa The only hotel\nwas not even ilulutvd. We stored away our\nwives and children, took off our coats to keep\nthem warm, while Adam and I walked the\nfloor looking for morning: to come, for which\nwe were glad. After paying SI.OO each hotel\nbill John Given man took us to our destination\nat Springville, with hia horse team, which were\nrather scarce in those days. We were well\neared for by John Graham and his wife. Lam\nech Graham and James Harry were keeping\nstore at that time and t hired out for $l per\nday as shoemaker, anti remember well while\non my wav to Dr.buque for leather, a man on\nthe John Hayes farm gave mu S3O to buy him a\nbattel of pork. Another man at Genoa gave\nme money to buy him two sacks of corn meal.\nI worked for Graham A Harry only short\ntime, as they failed and left me without a coni,\nof money, no work, no friends, in anew coun\ntry. not able even to talk Koglish and in debt\n$:5 for oart of a house built for me to live in.\nThen it was that I h gan working for farmers;\nmy wife worked for folks for whatever they\nwere willing to pay us. We actually suffered\nfor the necessities of life. Finally we got S2O\nfrom the ea*t and a few dollars from the sale\nof a pair of shoes I hud made for my wife, hut\nshe insisted on turning them into money, that\nshe could go barefooted a while longer. James\nLowrie had lv?cn working for Graham * Harry\nand was in .*bout the same fix. financially, that\n1 was and 1 is wife, like mine, had been bare\nfooted tor some time. Mr. Huusmao. a former\nshoemaker of Viroqua let me have leather\nenough for a pair of shoes lor my wife, which\nI sold to Jim Lowrle for $3. Mrs. Bouffleur be\ning willing to go barefoot a while longer and\ninsisted that F L\'ake the shoes Or Mrs. Lowrie.\nWith this same JSS I wont to L.a Crosse on foot\nand carried home a roll of leather on u:. back.\nThis 1 did quite a number of times. I worked\nwith a determination to get a start. Many\ntimes I worked clear through the night, as l\nhad plenty to do. Awnau coming In the even\ning and wanting a pair of boots in tbe morning\nand having the money to pay for them. I got\nthem ready. Folks would talk among theta\nselves and wonder if that Dutchman over slept.\nThey could see my light and me working\naway, but like many others l fooled away some\nsix years building a hotel and other unpro\nfitable doings, so that all I had to show for my\nhard work was about skoo. and by that time\nquite a family, which seems to be the lot of\npoor men. My Income was light and my ex\npense* in proportion. Millinery bill for the\nseaaun was a ton cent straw hat with a live\ncent ribbon for our daughter Dora, which was\nall satisfactory. In 184 I bought out Mr.\nHardulf and startl\'d store keeping; went in\ndebt about s*.ooo. kept up my shop in connect\nion with the store, myself and t wo men running\nit while Mrs. Uouifieur. Nels Day and wife did\nthe work in the store. For a while after the\nstore closed evenings wo employed our school\nmaster to teach us English and other branches.\nBeing quite successful after a low vegr, I\nh light out Alex am! Will lain Dowrle and niov*\nod to our present Springville store. 1. ttfttr\nemployed four and five clerks, including Capt\nai*?* Lowrie, our wk*s running tu some lan.ooo\na year ror mute a nunl**? of years I wan\nproud of my business, customers coming from\nquite a distance— tisofea. Coon Valley, Liberty\n1 Pole. West Prairie Newton. Genoa. Kiekapoo.*\nCoon and Hound Prairie.\nThis busy life of 118 years of store keeping\nbad its ups and downs. I have been favored\nthrough these years by many friends, privi\nleges and honors, foi* which I feel grateful,\nand shall as long as l live. lam now 73 years\nold and feel my strength failing and must\ncome to th* conclusion that my race is nearly\nrun. but other wise I am happy and contented\nand glad I am with you on this occasion.\nJust Human Nature, That’s All\nOur young friend and popular jeweler,\nSam B. Lillis, has been under suspicion\nfor some time, and he stole a real\nmarch on the best of us when he stealth\nily made his wav to the county asylum.\nNew Yeat’s night, in company with his\nlady love, Miss Avis Evan 9, and before\nnear relatives, the magic words were\nsaid by Rev. C. E. Butters which unit\ned their fortunes for realities of life.\nIt was also the twenty-first wedding\nanniversary of Superintendent and Mr\nButters, hence a mutual extending of\ncongratulations and good wishes for tbe\nfuture, followed b y refreshments.\nLater a wedding dinner was given in\nhonor of the newly wedded by Mrs. Fred\nSlade, cousin of the groom, in which a\nnumber of relatives and invited guests\njdlned.\nSam Lillis is one of our most worthy\nyoung men, a carver of his own destiny,\nand ia creditably making his way to the\nfront in his profession and business.\nMay he continue to make good, is the\nCensor’s best wish, as it is of every\nacquaintance. The lady of his choice\nis a Tomah miss, a stenographer in the\noffice of A. J. Livingston for some\nmonths, who h3B made many friends\nhers.\nAuction Sale\nl Having purchased land near Marsh\n! held, where he v II \'.ioon move, Lem\nHayter will hold muo at the old Bid\ndison farm near Brookville, on Wednes\n|d-ty, January 14, when live stock, ma\nchinery ami many other things will be\nsold. Commences at 11 o’clock, free\nlunch at noon.\nPlenty of Activity\nLate case weather has furnished op\nportunity for all to finish taking to\nbacco from the poles, and that work ia\npractically over Long strings of teams\nare bringing in tbe bundle goods every\nday. Warhouses are busy sizing a\'..*l\nsorting, although there is still a short\nage of help here as elsewhere.\nWILL BUY HORSES\nThe undersigned will be at the stone\nbam in Viroqua, Saturday Next, Jan\nuary 10, to buy a car load of farm horses,\n1,100 to 1.400 pounds, serviceably sound.\nAlso a car of draft horses for city\ntrade, must be sound.\nTownsend & Jennings.\nI will be in Viroqua Monday, January\n12; the next day ut Read<town till 10\no\'clock a. m.. and Viola till 12:30 p. m.\nBring in your good horses and get the\nbest orices. H. E. Light.', 'batch': 'whi_doxy_ver01', 'title_normal': 'vernon county censor.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85040451/1914-01-07/ed-1/seq-1.json', 'place': ['Wisconsin--Vernon--Viroqua'], 'page': ''}, {'sequence': 1, 'county': ['Grant'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85033133/1914-01-07/ed-1/seq-1/', 'subject': ['Lancaster (Wis.)--Newspapers.', 'Wisconsin--Lancaster.--fast--(OCoLC)fst01307511'], 'city': ['Lancaster'], 'date': '19140107', 'title': 'Grant County herald. [volume]', 'end_year': 1968, 'note': ['Description based on: Vol. 2, no. 16 (Sept. 20, 1850) = Whole no. 69.', 'Editor: John Cover <1873-1876>.', 'Publisher varies.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Lancaster, Wis.', 'start_year': 1850, 'edition_label': '', 'publisher': 'J.L. Marsh', 'language': ['English'], 'alt_title': ['Herald'], 'lccn': 'sn85033133', 'country': 'Wisconsin', 'ocr_eng': 'ESTABLISHED 1843.\nSTRIKE NOT SETTLED\nIN COPPER COUNTRY\nFederal Mediator Fails to Bring\nPeace at Mines.\nPuts Blame Mostly on Operators—Gov.\nFeriis is Now Making a Personal\nInvestigation.\nHoughton, Mich., Jan. 5. —Efforts to\nend the strike of copper miners by\nconciliation failed. John B. Densmore\nof the department of labor so an\nnounced after a final effort to bring\nthe warring interests together.\nHe did not hesitate to Marne his\nfailure upon the uncompromising at\ntitude of the mine owners, who re\nfused to recognize the Western Fed\neration of Miners as a party to arbi\ntration proceedings or other peace\nprojects.\nDensmore Tells Story.\n“In a nutshell, the question was\nwhether the union men should go back\nto work with or without discrimina\ntion. The companies refused to do\nanything but discriminate against\nmembers of the union,” said Mr. Dens\nmore.\n“It means a struggle to the bitter\nend,” said O. N. Hilton, chief of coun\nsel of the Western Federation of\nMiners, who has represented Presi\ndent C. H. Moyer here since the lat\nter’s deportation. “The outcome is\ndue entirely to the attitude of the\ncompanies. They wanted everything\nand would concede nothing.”\nCompromise Is Rejected.\nThe union’s last word was an offer\nto withdraw the Western federation\nTom the field, its place to be taken by\n. union affiliated with the Michigan\nFederation of Labor, the United Mine\nWorkeis, with which the Western Fed\neration of Miners is affiliated, or some\nsimilar body. This was rejected ab\nsolutely by the companies.\nThe employing interest suggested to\nMr. Densmore that a secret vote of the\nmen on strike, if properly safeguard\ned, would show a majority of them in\nfavor of returning to work outside the\nunion fold. When this was broached\nto the federation men there was an\nimmediate declination to submit the\ncase to any such test. Word of the\nnegotiations was telegraphed to the\nsecretary of labor by Mr. Densmore.\nHe said that a full report of the ef\nforts made would be made by him aft\ner his return to Washington.\nThe strike has been in progress\nsince July 23. Now that Mr. Dens\nmore has given up and is going back\nto Washington, there are prophecies\nthat it will last much longer. J. E.\nRoach, a representative of Samuel\nGompers, president of the American\nFederation of Labor, said:\n“This strike will not be settled for\neight months. It will run longer than\nthat. It will go a year. The American\nfederation will aid the strikers, and\nother organizatinos will help.”\nAttack on Moyer Up to Grand Jury.\nThe Houghton county grand jury\nwas specifically charged by Judge H.\nH. O’Brien of the circuit court to in\nvestigate the kidnaping of Moyer.\nMoyer was forcibly deported, beaten\nand shot.\n“If the jury believes there is reason\nable amount of evidence pointing to\nward persons connected with the kid\nnaping, they are* to be investigated\nand indicted,” Judge O’Brien charged.\nThe grand jury is made up of James\nMacNaughton’s chauffeur, Edgar Bye,\nseveral mine superintendents and two\nSocialists. The evidence is being\nplaced before the grand jury by\nGeorge Nichols, a special prosecutor\nappointed by Governor Ferris to con\nduct the investigation.\nJudge O ltrien has been condemned\nby the mine mauagers and the mem\nbers of the Citizens’ alliance without\nmercy. Placards charging that he\ntried to mediate the strike in the\ncause of the Western Federation of\nMiners have been posted on the bill\nboards in Calumet township, and in\nthe Calumet & Hecla stamp mills one\nof the largest posters is displayed.\nFerris on Way to Calumet.\nCalumet, Mich., Jan. s.—Governor\nFeriis, Labor Commissioner Cunning\nham and Secretary Nesbit will arrive\nin the copper country tonight. The\ngovernor will prosecute a vigorous in\nvestigation of the strike in the hopes\nof bringing about a settlement. He\nis accompanied by several lower\nMichigan labor leaders.\nSilver Wedding.\nMr. and Mrs. Joe Biicb, of Bee\ntown celebrated the twenty-fifth an\nniversary of their wedding Friday\nevening, Dec. 19. A large number\nof relatives and friends were present\nto commemorate this happy occasion.\nMany useful and beautiful gifts were\nleft behind as a taken of esteem for\nthe good host and hostess who bad\njust passed the the twenty fifth mile\nstone of theii happy married life.\nNus Sed.\nHelter —“What sort of town is New\nYork? \' Skelter —"Judge for yourself.\nTwo of its burroughs are named aft*\ner cocktails.’—Judge.\nGRANT COUNTY HERALD\nSCHOOL NEWS\n“Are Our Public Schools a\nFailure 7“\nProbably at no time have the public\nschools been critizised so universally\nand indiscriminately as at tbe\npresent. Very much of this criticism\nis bad because it is unsound, untrue,\nand while objecting to tbe existing,\nhas nothing better to substitute. All\nof it is uDfortudate because it lowers\nthe value of a school education in the\nminds of unthinking people who need\nthe school the most. It is not at all\nunusual to find articles in any paper\nor magazine today bearing the title cf\nthis paragraph. Tbe following dis\ncussion which answers tbe question\nnegatively, written hy ,T. W. Red\nvay, is an extract from the Western\nTeacher” for December.\n‘‘l take New York City as an\nexample. Knocking New York schools\nis quite tbe customary habit, and the\nsmall army of efficiency experts can\nfind nothing good about them.\nThree quarters of a million pupils\nattend them and about twenty\nthousand teachers constitute the\nteaching staff. Not far from one\nthird of tbe enrollment cousists of\npupils of foreign birth or are tbe\nchildren of foreign born parents.\nAt the present time the parents are\nmainly Italians, Russian Jews,\nSyrians, Poles, and Greeks They\nare the unskilled laborers and tbe\nvital energy of the sweat shops. So\nfar as tbe parents are concerned the\nproblem is simple. They will live a\nwhile, herded as sheep are herded,\nthen they die, But their children\nare the greatest problem on earth\ntoday. Let us see the work of the\nNew Y 7 ork schools un them, by a\nstudy of the past.\nFifty years ago the Irish formed\nthe chief factor in the unskilled\nlabor population. Walk along any\nbusiness street and one might be sure\nof seeing signs reading— ‘Man wanted ;\nno Irish need apply. ’ Well, the\nadult generation lived and died; that\nwas all. Their children went to the\npublic scbcol. but they were never\nin any great proportion unskilled\nlaborers. The third generation of\nthese Irish immigrants is still living\nin New York City. Who are they,\nand what are they ’ The answer is\neasy : they are the greatest factor in\nthe political and industrial energy of\nthe state—senators, congressman,\nengineers, contracture, clergymen,\neducators and railroad builders. And\nthe Jews of three generations ago?\nbankers, merchants, and capitalists.\nBoth nationalities are furnishmg tbe\nred blood of tbe country today.\nPardon another heresy ; the red blood\nis worth a lot more to the country\nthan the blue blood.\nNow it has been shown that if the\nhuman mind goes without training\nbetween the ages of six and twenty it\nceases to grow. Suppose that all these\nyouugsters of foreigD born parentage\nbad grown up without school train\ning. The answer to this is also easy ;\nthey would have been just what\ntheir grand parents were—the flotsam\nand jetsam of civilization.\nIn the city of Mount Vernon. New\nYork, it costs about six hundred dol\nlars to steer a youngster through the\nelementary aud high schools The\naverage income of one hundred men\ngraduates of the high schol is not far\nfrom fifteen hundred dollars a year.\nAt five percent this is the income on\nthirty thousand dollars. Ia other\nwords, we invest six hundred dollars\nand tbe product commands just fifty\ntimes that sum What a failure!”\nTHE WINTER SHORT COURSE\nMention was made in this column a\nshort time ago of the winter short\ncourses which were being introduced\nin a number of Wisconsin high\nschools this year. From the reports\nia the educational papers, the idea is\nnot wholly confined to this state.\nThe Geneseo, Illinois, Township High\nSchool has begun such a course for\ncountry boys. The course started\nDecember first with an enrollment of\ntwenty-four boys, ranging in age\nfrom fifteen to twenty years, and in\nadvancement, from the eighth grade\nto the third year of the high school.\nThe establishment of the course\nthere is the result of a definite de\nmand on the part of the farmer tax\npayers who have not been receiving\nthe benefits they tbiuk tbey ought to\nhave from the money they are pay\ning, because they need their boys for\nfall and spriug work on the farms.\nInquiries made by Principal Beatty\ndeveloped the fact that there were\nenough of the country boys interest\ned in the proposed coarse to warrant\nthe undertaking, hut it was not ex\npected that the enrollment for the\nfirst year would be more than twelve\nor fifteen.\nFive classes have been organized\nand each student is enrolled for four\nof the five; all but one are in the\nagriculture class. A graudate of tbe\nPUBLISHED AT LANCASTER, WISCONSIN, WEDNESDAY, JANUARY 7, 1914\nAgriculture department of the Uni\nversity of Illinois, a practical\nscientific farmer, has charge of the\nwork.\nIt is very probable that winter\nshort courses will become general\nThe state education department of\nthe state of New Y T ork has a division\nof visual instruction which supplies\nlantern slides and photographic prints\nto schools, on the condition that they\nshall be nsed for strictly free instruc\ntion. This year the department will\nlend to schools for this purposa 200,-\n000 slides, covering topic in history,\nyeography, literature, and the in\ndustrial arts.\nA department of visual instruction\nhas very recently beeu introduced in\nthe University of Wisconsin ; Prof.\nDudley of the biology department of\nthe Platteville Normal has been\nchosen to take charge of tbe work.\nTbe first home game of tne season\nin basket ball will be played at the\nopera house Friday evening, Jan. 9,\nbetween Lancaster and Potosi.\nOUR NEW BIG STORY.\nThe continued story. ‘‘The Honor\nof the B’g Snows,” which has been\npublished in The Herald for the past\nthree months and has been perused\nwith much pleasure by thousands of\nour readers, was ended last week.\nTb is week we have a rare treat for\nour readers in the commencement of\none of the very best stories of tbe\nyear, the scenes of which are located\nat the other end cf the earth, and\nwritten by one of tbe most popular\nauthors in America—Rex Beach,\nAuthor of “The Barrier,” ‘‘The\nDanger Trail ” etc. The name of\nthis new story, the opening chapters\nof which will be fouud upon another\npage of today’s paper is ‘‘The Ne’er\nDo Well,” a romance of the Panama\nCanal in which a young, athletic\nAmerican, who ha 9 become a little\nwild in college days, gets in bad with\nbis rich father and finds himself\nstranded in Panama —‘‘broke ” The\nseries of adventures that follow show\nthe sterling worth and courage of the\nyonng fellow, who gets into and out\nof all sorts of scrapes, and finally\nwins out and proves himself an\naltogether admirable fellow. Don’t\nmiss reading this big story, which\nbegins in Tne Herald THIS WEEK.\nADVERTISING CALENDARS.\nDuring tbe past year The Herald\nfurnished to the business touses of\nLancaster and other towns in the\nvicinity over SI4OO worth of advertis\ning calendars. Owing to the arrange\nment we have established for buying\nthese, getting them direct from one\nof tbe largest iuiportiug and manu\nfacturing establishments of such goods\nin the United States, we have been\nable to cut out tbe usual middle\nman’s profits and supply them to our\ncustomers at a price greatly below\nwhat other calendar salesmen ask for\nsimilar quality. We have ar\nranged to represent the same firm\ntbe coming vear and our representa\ntives will at an early date be prepar\ned to show the new things for 1915.\nTbe most popular class of goods in\ntbe entire line the past year has\nbeen the wall pockets, all made in\nGermany, which are of practical use\nin every home in addition to their\nbeauty The assortment to be sub\nmitted for 1915 is larger and more at\ntractive than ever, the colorings being\nsomething wonderful and beautiful.\nThe new samples are now here\nand will be ready for showing to\nprospective customers within a few\ndays We shall be glad to have our\nline compared both for quality and\nprice, with the goods of any salesman\nwho may come into this territory\nduring the coming year, confident\nthat we can show, as we have during\nthe past year, that we have a larger\nand finer line than any of them and\nat lower prices.\nThis new lot of samples, for 1915,\nincludes hundreds of designs, in goods\nof every class and a wide range of\nprices—Wall Pockets, Tissue Novel\nties. Cut Outs, Imported and Domestic\nHangers, tinned at top and bottom,\nhundreds cf designs on card boards,\nDesigns mounted on mats and execut\ned by the four color process, the\ndainty hand-painted DeLuxe line,\nfans, leather novelties, etc.\nIt is a large and beautiful collec\ntion and the prices are such that we\ncan save our customers money on\ntheir purchases, as we dil the past\nyear. We shall be glad to receive\nthe home patronage and to show the\ngoods at any time desired.\nTHE HERALD.\nFARM FOR SALE—Farm of the late\nBen Bass, Jr., consisting of 160 acres,\nwith good buildings and improve\nments, located about three and one\nhalf miles southwest of Lancaster.\nApply to Joseph Bass, Lancaster,\nWis. 45w3c\nObituary—John H. Bennett.\nJohn H. Bennett was born in Corn\nwall, England, December 24, 1846.\nHe was brought to America with his\npaients when but six months old and\nlived with them in New York two\nyears. He had been a resident of\nSouthwestern Wisconsin forty years—\ntwenty-seven of which he resided in\ntownship of Lancaster. At tbe\nMethodist parsonage in this city he\nwas married on January 1, 1873, to\nMiss Eliza C. Keretzer. Fonr chil\ndren came to bless their home, tbe\neldest, a sweet little girl of two and\none-half years, guing at that early\nage into the heavenly home. The\nonly other daughter, Mamie, in tbe\nbeauty of early womanhood died after\na lingering illness and mourned cf\nmany, April 7, 1908. Suddenly May\n26, 1913 while on a visit to tbe son\nPhil, wbb lived at Mather, this state,\ntbe beloved wife and mother took her\ndeparture for that land from whence\nnone return. Tbe dear body was\nbrought to Lancaster that it might\nrepose beside ber children. The bus\nband was broken hearted and would\nnot be comforted. He had been\ncrippled by disease and for many of\ntbe daily comforts of life was de\npendent upon the loving, faithful\nministries of his wife. None could\ntake her place. For some months be\nremained with his brother aDd sister,\nMr. and Mrs. Philip Beunett where\nhe received all the kindly attention\nthey could bestow. Then the son\nPhil came back to the tld borne in\nthis city where he and his wife tried\nto make tbe father comfortable aud\nhappy But he mourned incessantly,\nand prayed to be delivered of this life\nthat be might be reunited with his\nloved ‘‘Eliza ” Existence tc bim\nwas only a burden without her com\npanionship Had he been strong and\nable bodied, he probably would have\ntaken up bis cross and borne it brave\nly as others do under irreparable\nlosses. In his decrepit state is it any\nwonder be so mourned so loyal a help\nmeet as Bennett was. The lov\ning Father noted his sorrow, and\nheeded tbe cry of bis heart. On the\nmorning of December 19, 1913, while\nsitting in bis chair with not a long\nwarning of his near approach, tbe\ndeath angel touched bim gently and\nhe passed peacefully away. Tbe sons\nGeorge us Mather and Phil of Lancas\nter, with their families other rela\ntives, and friends sorrow for their\nloss—and yet rejoice that the parents\nwere not long divided. Rev. Beavins,\npastor of tbe M. E. church where last\nservices were tendered, spoke beauti\nfully of tbe re-union —tbe joy of the\nfirst Christmai together in a land\nwhere pain of parting never comes.\nThe floral offerings were many.\nFor these and tbe many other kindly\nand consoling offices of friendship tbe\nsurviving relatives are very grateful.\n“Some fair tomorrow we shall know\nLife’s mysteries that hurt us so:\nThe love and wisdom in disguise\nWill then be open to our eyes.”\nb. d. a.\nRaincoats at Ten cents.\nA man in Illinois has invented a\nprocess to produce and market a rain\ncoat that can be retailed from 10\ncents up. These coats are made in\nthe regulation slip on style, from an\nintegral part of waterproof paper.\nTheir production cost will be no\nhigbtr than 5 cents each, and even\nthat figure can be lessened. The coat\ncan be folded np to fit in any ordinary\neuvelope and is particulary adapted\nto bring carried in bandoags\nThe coats can be made of oiled\npaper or paraffin, vellum parchment\npaper, which gives the appearance of\nsilkiness at a short distance. Tbe\noriginal idea was for the coats to be\nworn only once, but after a trial, it\nwas demonstrated tbat they could be\nutilized successfully two or three\ntimes. The coats are re-inforced\nwhere the buttons are sewed on and\nalso where the button holes are cut.\nThere are only two seams, both\nrunning underneath tbe arms and\ndown the sides. These seams are\ncemented by ordinary glue.—New\nYork Times.\nMethodist Church.\nThos. S. Beavin, Pastor\n9:30 Bible School.\n10:30 Morning Worship. ‘‘Lest\nWe Forget ”\n6:30 Epwortb League service.\nLeader—Miss lonia Roesch. Subject\n—Tbe Epwortbian and His Paper. ”\n7:30 Evening service. The Rev.\nW. F. Tomlinson, the District Super\nintendent of Platteville District, will\npreach and administer tbe Sacrament\nof the Lord’s Supper. Rev. Tomlin\nson’s subject will be ‘‘The Message\nof the National Convention of\nMethodist Men.”\nThursday 7 :30 weekly prayer meet\ning. Read Acts 3 and 4.\n8:30 Sunday School Teacher’s meet\ning.\nFENNIMORE AIDS\nELECTRIC RAILROAD\nA special election to vote upon the\nproposition of bonding in aid of the\nChicago Short Line railroad was\nheld in the village of Fennimore on\nTuesday of last week and was carried\nby a big majority, the vote being 188\nto 45. The municipalities are all\nfalling in line now. Glen Haven\nwill very likely be added to the list\nthis week.\nNotable Annual Issued by Grant Coun\nty Superintendent.\nThe Educational News Bulletin,\nissued by the state superintendent of\nschools has. in its edition of Dec. 22,\nthe following allusion to the annnal\nreport of County Supt. Brocbert,\nrecently printed at The Herald office:\n‘‘Supt. J. C. Brockert, of Grant\nCounty, has issued an annual report\nand school directory for 1918 which is\nvery comprehensive and well il\nlustratesd. A glance through this\npublication gives a good idea of the\nprogressive work that is being\ncarried on. especially among the\nrural schools of the county. The\nvarious contests, such as those in\nspelling and corn raising are given a\nprominent place in the report. A\npublication of this kind cannot help\nbut be of great value in bringing\nabout general sentiment favorable to\nconcerted action toward progress in\neducation. ”\nBURTON.\nSpecial Correspondence to the Herald.\nMr. and Mrs. Thomas Stoney and\nMr. and Mrs. Edw. Leindecker went\nby auto to Cuba City New Year’s\nday to spend the day with relatives\nthere.\nBurdean Schuelter left Sunday\nfor Sc. Paul after a few weeks visit\nwith her sister, Mrs. Henry Sehaal.\nLyle, little son of Wm. Elwell\nwas riding to school with one of the\nneighbors and in some manner fell\nfrom the buggy and broke his arm\nnear the wrist. Dr. Hartford re\nduced the fracture and he is getting\nalong nicely.\nJoseph Martin has been under the\ndoctors care the past week. He\nhas been troubled with a bad pain\nin his chest. Hope to see him\naround again soon.\nA baby daughter came to the\nJames Elwell home on New Year’s,\nday and also a daughter to the\nChas Haas home on Jan. 2nd.\nMrs. Ritmeyer, who has made\nher home with her daughter, Mrs.\nFred Bartels, died last Sunday\nmorning. Funeral services were\nheld here, Tuesday. She was 91\nyears of age.\nMrs. Sam Pauley, Hazel and\nSylvia Bossert were shopping in\nDubuque, last Monday.\nMolly Young has returned from\nChicago where she has been visiting\nfor the past few weeks.\nHenry Mink and family and Mr.\nand Mrs. George Slaught attended\nthe Eastern Star installation last\nSaturday evening.\nArthur Turner, of Dubuque,\nspent last Sunday with his parents,\nMr. and Mrs. G=jo. Turner.\nHenry Sehaal and family, Mrs.\nWm. Kratz and Martha Hutchins\nwere Sunday afternoon callers at\nHenry Mink’s.\nMrs. Morgan Reed Sr. returned\nSunday after a two weeks visit\nwith her son Elmer at Nelson.\nThe local Camp of Woodman will\nhold their installaton of officers,\nFriday evening, Jhd. 16th. An <y\nster supper will be served. Eden\nmember may invite one guest.\nMrs. Alice Reed returned home\nlast Saturday after a two weeks’\nvisit with relatives in Chicago and\nBattle Creek, Mich.\nPresbyterian Church.\nPresbyterian chnich, Jan. 11.\nSunday school 9:45. Preaching\nservices in the English language at\n10 :45.\nFarm For Sale.\nI offer for sale my farm of 100\nacres. Luca ted one mile due Suuth\nof the Lancaster court house. For\nparticulars inquire of\nJ. Allen Vincent,\nLancaster, Wis.\nRoute No. 7. 43w4*\nNotice to Taxpapers.\nI will be at the Union State bank\non and after January 2d 1914 for the\ncollection of taxes for North Lancas\nter. Frank Beetham,\n44w2* Treasurer.\nKeep a Thankful Heart.\nThe unthankful heart, like my fin\nger in the sand, discovers no mercies;\nbut let the thankful heart sweep\nthrough the day, and as the magnet\nfinds the iron, so will it find in every\nj hour some heavenly blessings; only\nthe iron in God’s sand is gold. —Henry\n\' Ward Beecher.\nCO. SUPT. BROCKERT\nIS FRIEND OF THE BOYS\nWill Assist Them in Getting the;\nShort Course\nAt The Agricultural College in Madison\nWhich Begins January 26—Ma:x.y\nWill Attend.\nCounty Superintendent Brocket\nsending out today a letter to the boys-.\nof Giant county, inviting them ts goa\nwith him to MadisGn and attend tht-\nBoys’ Short Course at the College of\nAgriculture of the University of\nconsin which begins on JaDVAiy\nand continues until January 31.\nweek will be spent in studying\noats, barley, alfalfa and otbezr aub»-\njects, and the boys will have m op\nportunity to see and hear ma:iy. in -\nteresting things connected wafcfa. shafc\ngreat institution of learning, as wall\nas to visit the new capitol fcsi d ug,\none of the finest in the United whites,\nThese short courses in\nare great aids in promoting siieatiiat:\nagriculture, and in the preeeai\nit is the man ‘who has an inde33taac&-\ning of scientific and intensive\nwho reaps tbe big results from thes\nfarm.\nSupt. Brockert. through his.county\ncorn contests, has awakened a great\ninterest among the boys o$ Grant\ncounty, aod the effort he is new mak\ning in regard to this short conrso is\none which caonot fail to produce good,\nresults. He will accompany tbe\nboys, leaviog Lancaster at aoan on,\nMonday, January 26 and will; assist;\nthem in securing room and beard and\nto arrange for their enrollment, in;\nthe work at the college. Tifrey wliU\nremain at Madison until Saturday\nmcroing, Jan. 31 returning hare- on,\nthe noon train that day. He states*\nthat the expense last year for nooEu,\nbeard and railroad fare for boys who\nwent from here, was about oth\nA number of noys have already ex\npressed their intention of going this,\nyear and others are invited to eor&~\nmunicate with Mr. Brockert in thfa\nnatter at one*?.\nROCKVILLE.\nSpecial Correspondence to the Hera!&\nMisses Bernice Dawson and Maml\nFinney, of Lancaster, spent a few\ndays last week at the Louis Wolf\nhome.\nMr. and Mrs. Roggie Horner and\nlittle son, of Dubuque, returned\nhome Saturday after a pleasant two\nweeks’ visit at the Kerkenbusb and\nHorner homes.\nToe Misses Alberta aDd Gertruda\nScanlan, of Fennimore, and Ruth\nQuick, of Park Rapids, Minn., spent\nseveral days of last week at the Up\npen a home. Miss Quick letc for\nChicago Tuesday where she will\ntake a three years’ course to be\ncome a trained nmee at Wesley*\nhospital.\nMiss Laurel Busuh returned to*\nPlatteville Sunday to resume her\nstudies at the Normal.\nHenry Uppena visited relatives*\nand friends at Cassville last week.\nMiss Leona Kitto, of Boice Prair\nie, spent a few days last week at:\nthe Geo. Shaw home.\nMaster Robbie Dawson, of Lan\ncaster, visited his Grandma, Mrs.\nHenrietta Wolf last week.\nThe property of the late Edward\nWickeDdoU, which was sold at pub\nlic auction Dec. 22, was purchased\nby Geo. Shaw and Jno. Wilkinson.\nMiss Mattie Palmer returned Sun\nday to resume her duties as teacher\nat British Hollow after spending her\nvacation at her home m Fennimore.\nMrs. Chas. White, of Buena Vista*\nis seriously ill; a trained nurse from\nDubuque is caring for her. Her\nmany friends wish her a speedy re\ncovery.\nSchool opened Monday morning\nafter a two weeks’ vacation which\nwas enjoyed by teacher and pupils.\nHowever, 9 o’clock Monday morn\ning found everyone in their old\nplace with a bright face and all re\nsolved to have a perfect record of\nattendance this vear.\nWillie Dunn is spending his wint\ner vacation here.\nFrank Vesperman returned to\nFennimore Sunday where he i% prin\ncipal of th * grades.\nMr. and Mrs. Edwin Hubbard\nhave gone to St. Paul for a visit\nwith their daughter, Mrs. Hillman..\nTbe First Baptist Church.\n10:00 o’clock Sunday SchooL\n11:00 Morning Worship.\n3:OC P. M. Preaching service at\nDyer schoolhouse.\n7:30 Evening service.\n7:30 Biole study and prayer each\nnight this week at the church.\nAll are invited.\nVOL. 71; NO, 4£', 'batch': 'whi_kenyon_ver01', 'title_normal': 'grant county herald.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85033133/1914-01-07/ed-1/seq-1.json', 'place': ['Wisconsin--Grant--Lancaster'], 'page': ''}, {'sequence': 1, 'county': ['Wood'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85033078/1914-01-08/ed-1/seq-1/', 'subject': ['Wisconsin Rapids (Wis.)--Newspapers.', 'Wisconsin--Wisconsin Rapids.--fast--(OCoLC)fst01224880'], 'city': ['Wisconsin Rapids'], 'date': '19140108', 'title': 'Wood County reporter. [volume]', 'end_year': 1923, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Description based on: Vol. 1, no. 11 (Feb. 17, 1858).', 'Publisher varies.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Grand Rapids [i.e. Wisconsin Rapids], Wis.', 'start_year': 1857, 'edition_label': '', 'publisher': '[J.N. Brundage]', 'language': ['English'], 'alt_title': ['Semi-weekly reporter'], 'lccn': 'sn85033078', 'country': 'Wisconsin', 'ocr_eng': 'A. L. FONTAINE, Publisher GRAND RAPIDS, WOOD COUNTY,\nFIRST MEETING GE\nCOUNCIL IN 1914\nMayor Delivers Special Message\nto City Fathers\nALL MEMBERS PRESENT\nThe first meeting of the city coun\ncil for the year 1914 was held last\nevening. Every member was pres\nent at roll call. The mayor started\na precedent by delivering a message\nto the council on what should be\ndone during the new year. The mes\nsage in lull will be found further\nalong in this story.\nThe Council passed a resolution\nunanimously to set aside each year\n$•"(,000 as a sinking fund toward the\nerection of a modern city hall.\nit was also decided, by a vote of\n14 to 2 (Ketchum and Whitrock\nvoting no) to pave Second street\nfrom The First National Bank to\nBaker street, including Market\nSquare, with brick and to pave Grand\nAvenue from the C. & N. W. rail\nway to the C. M. & St. P. railway\nwit h brick.\nAmong the bills allowed were a\nnumber for quarantine.\nThe Mayor’s address in full follows\nGrand Rapids, Wisconsin.\nJanuary 6, 1914.\nTo the Common Council of the City\nof Grand Rapids,\nGrand Rapids, Wisconsin.\nGentlemen:\nTh year 1913 has passed into his\ntory. Wdiile the Council has ac\ncomplished a good many permanent\nimprovements for the City of Grand\nRapids, they have also made a fail\nure of the Asphaltum Macadam pav\ning, for which 1 lay the responsibili\nty mainly to the abutting property\nowners, for signing for what they\nhave received, but the Mayor of the\nCity receives the blame for every\nbody\'s action, r;gh‘ or wrong.\nI would like to recommend the fol\nlowing for your consideration:\nEconomy.\nCurtail expenses as much as pos\nsible. Economize as much as pos\nsible, in every City Department. Do\nnot spend too much money on streets\nunless the water and sewer mains\nare already established in said street.\nPaving.\nFor quick action, to begin next\nspring, to pave Second street from\nthe corner of the First National\nBank to Geo. T. Rowland & Sous\nstore, including Market Square. Al\nso to pave Grand Avenue from the\nChicgao & Northwestern depot to\nRICH SCHOOL\nBEATS ALUMNI\nFast Basket Ball Game Friday\nNight-The Score Was 13 to\n10.\nThe School basket ball team\nwon. from Alumni Friday evening by\na score of 13 to 10.. This is the first\ntime in seven years that the trick\nhad bean turned by the high school\nteam. The Almnnilead at the end\nof the first half and it looked at that\nperiod ast though they might come\nthrough again as winners, but the\nshift In the line up off the school\nteam worked wonders and they won\nout by a margin of three points. It\nwas a close and fast game and those\nwho saw it were well repaid for at\ntending.\nBoth the short hand writers en\ngaged by the Alumni were discharged\nat the end of the first half. An ef\nfort was made to get an armless blind\nman to chalk up the Alumni score\nin the last half. After the game the\nmembers of the alumni felt about as\nhappy as a man suffering with in\nflammatory rheumatism and St. Vitus\ndance at the same time.\nThe line up of those who lost the\ngame was :\nRagan—Frd.\nWeeks —Frd.\nMohlke —C.\nNat wick —C.\nMohlke —C.\nJohnson —G.\nChristian son—G.\nThe line up of the victorious nigh\nschool was;\nStamm —Frd.\nJohnson. M. —Frd.\nHatton. —Frd.\nSmith—-C.\nBabcock—G.\nRidgnian—G.\nNat wick —G.\nIt will be noticed that each side\nshifted the men. Following the\ngame, a social was held in Witter\nhall Music was furnished by the\nSaecker orchestra and every one had\na fine time..\nThe next game in which the local\nhigh school will play will be at Stev-\nWOOD COUNTY REPORTER.\nthe Chicago, Milwaukee & St. Paul\nsuch paving to be of brick only. Con\ntracts should be let for paving as\nsoon as possible, so as to begin\ndevelopmnets in the spring. This is\nmost necessary.\nPaving Extensions.\nExtend pavingone block each way\nnorth and south from Grand avenue,\non First, Second, Third and Fourth\navenues. Also extend paving from\nour present brick paving, as follows:\nSecond street south, one block; Vine\nstreet east, one block; Oak street\neast, one block; Baker street east,\nto corner of Seventh street.\nSprinkling.\nThe city ol Grand Rapids to do\nits own sprinkling, with water or oil,\nms the City Council may decide, for\nthe particular locality, the same to\nbe charged up its pro rata to the\nabutting property owners, on the tax\nroll.\nCleaning.\nOur main streets already paved\nbe kept clean from droppings and\nrefuse. One man to he hired for each\nthe East and West side, by the job,\nfor a period of eight months of each\nyear, to be let to the lowest bidder,\nto attend to this matter.\nSewers.\nAll our new main sewers to be\nhereafter constructed, are to be not\nless than twenty-four inch pipe, and\nnot less than six feet deep, to avoid\ntrouble.\nWaterworks.\nThe water mains to be extended\nin Grand Avenue, from Seventeenth\nAvenue to Thirteenth Avenue, to en\nnble all citizens ’•©siding n Seven\nteenth Avenue to connect with City\nwater, as all their water wells are\ninsufficient to supply them with\nwater, on account of the Seventeenth\nAvenue sewer constructed last year.\nCity Hall.\nBeginning 1914. to 1918, Five thou\nsand dollars to be set aside every\nyear as a sinking fund for a City\nHall to be erected in the near future,\nand Acting City Comptroller to be\ninstructed to include said Five\nthousand dollars in the City Budget\nfor the years 1914 to 1918 inclusive.\nThis will give a sinking fund of\ntwenty-five thousand dollars for a\nCity Hall.\nens Point when they meet the Nor\nmals. The date has not been, set as\nyet.\nDeath of Mrs. Cordelia Basset\nThe many friends of Mrs. Cordelia\nBassett will be pained to learn of\nher death which occurred at her\nhome at 907 Third avenue north,\nwest side, Tuesday morning,, January\n6, at three o’clock. She was sick\nonly nine days with gall stone trou\nble, and most of her friends thought\nshe was on the road to recovery\nwhen she suddenly took worse and\ni passed away. She was bom in South\nI Haven, Mich., January 31, 1866, and\nI was forty-seven years, eleven months\n\' and twenty five days old when she\ndied. Her husband prceeeded her in\ndeath about four years ago. They\nwere married in Grand Rapids about\ntwenty-nine years ago last May. She\nleaves one sister, Mrs. E. E. Herrick\nat Nekoosa. She was a faithful and\n(efficient member of the Congrega\n| tional church in this city and in every\nI way a lovely Christian woman. She\nwill he greatly missed by her sis\nter and all neighbors and intimate\nfriends who enjoyed her acquaintance\nThe funeral service will take place\nThursday afternoon at two o\'clock,\nfrom the house and at two-thirty\n\' from the Congregational church, Rev.\nR. J. Locke officiating. Burial will\ntake place in Forest Hill cemetery.\nDENIES SUICIDE STORY\nIn an interview with Otto Hemschel\nfather of the girl who was said to\nhave attempted to commit suicide\nlast Saturday night. Mr. Hens.hel\nstated to a Reporter representative\nthat he had never beaten the girl,\nbut admitted that about a year ago,\nhe had slapped each of his two chil\ndren, but that this was the only\ntime he had ever punished them. He\nfurther said that he did not raise\na row over the girl’s going to a\npicture show, but he did a.sk her\nif she had gone with a certain per\nson, whom he had forbidden her to\nassociate with and that site denied\ngoing with this person. He then told\nI her that if she was telling a lie to\nlook out. He said the girl was ner\nvous and easily excited and that the\ncity health officer had recommended\nj that she\'drop some of her studies in\n[school because of her nervous con-\nA\nEntered June 12, 1903, at Grand Rapids, Wisconsin, as second-class matter, under act of congress of March 3, 1879.\ndition.\nHe said the girl left the house on\nSaturday evening following his ques\ntioning of her going with the pre\nson objected to. After finding the\ngirl, he stated that she said that she\ndid not know- what shewas doing.\nMr. Hensehel said that his children\nhad no reason to be afraid of him\nacd that it was because of her ner\nvous condition, that Elizabeth wan\ndered down to the river.\nThe police officer bears out the\nstatement that the girl was sorry\nfor what she did. The officer states\nthat hte girl made this remark: ‘‘Pa,\nI am sorry. I did not realize,.- what I\nwas doing.”\nPARCELS OF GAME\nIIISTBE MARKED\nLocal Office Receives Orders\nFrom Postmaster General\nDISTANCE ALSO RESTRICTED\nFresh Game May Not be Mailed for\nLocalities Further Away Than\nthe Second Postal Zone.\nTo prevent the shipping by parcel\npost of game birds out of season the\npost office department by a recent\nruling has debarred the shipping of\ngame of any type except when the\nparcels are plainly marked on the\noutside as to the actual nature of\nthe contents.\nFor reasons that will be obvious\nto the reader no parcels containing\nfresh game will be accepted for trans\nmission beyond the second postal\nzone. Through the courtesy of Post\nmaster Nash, The Reporter has been\nfurnished with a copy of the recently\nreceived order from the postmaster\ngeneral’s office, bearing on the mat\nter. It is as follows.:\n“Postmasters shall not accept for\nmailing any parcel containing the\ndead bodies or parts thereof, of any\nwild animals or birds which have\nbeen killed or are offered for ship\nment in violation of the state, terri\ntory or district in which the same\nare killed or offered for shipment\nProvided however that the foregoing\nshall not be construed to prevent the\nacceptance for mailing of any dead,\nanimals or birds killed during the\nseason when the same shall be law\nfully captured and the export is not\nprohibited by the law in the state\nterritory or district in which the\nsame are captured and killed.\n“Parcels containing the dead bod\nies of any game birds or pants there\nof including furs, skins, skulls or\nmeat ctf any game or wild birds\nor parts thereof including the skins\nand plumage may be admitted to the\nmails only when plainly marked on\nthe outside to show the actual na\nture of the contents and the name\nand the address of the sender or\nShipper. Provided, however, that no\nparcel containing fresh game in any\nform he accepted for transmission be\nyond the second zone.\n“Postmasters desiring additional in\nformation on this subject should\naddress the Third Assistant Post\nmaster General, Decision of Classifi\ncation.\n“Note: —Sections 242, 243 and 244,\nAct of March 4,19 Oft, 35 Stat., 113.7\nstate commerce the dead bodies or\nparts thereof, of any game animals\nor wild birds which have been killed\nor shipped in violation of the laws\nof the state, territory or district in\nwhich the same were killed or from\nwhich they were shipped.”\nICE MACHINE CO.\nDIOECIOUS MEET\nNeighboring City Wants Plant\nMoney Ready\nA meeting of the directors of the\nRoyal Ice Machine Company was\nheld at the Citizens National Bank\nFriday evening. A call was issued\nfor a levy of ten per cent of the\nsooth. The directors voted to fin\nish up five machines as soon as pos\nsible. Mr. Mitche’l, of the exten\nsion division of the State University,\nattended the meeting and spoke very\nhighly of the ice machine.\nSome of the citizens of a ne;ghbcr\ning city want to have the plant that\nmanufactures this ice machine locat\ned in their city. They have gone\nso far as to say that they will back\nit financially. Its an infant industry\njust now, but the wise people in the\nneighboring city see the possibilities\nin it and are making a decided ef\nfort to obtain this industry from\nGrand Rapids.\nENTERTAINS\nMrs. E. M. Hayes entertained at\na Daisy Chain party at her home on\nFirst avenue south, Monday evening.\nThe evening was pleasantly spent in\nplaying Rummy. First honors were\nawarded to Mrs. Dan Noltner. De\nlicious refreshments were served and\na delightful evening reported by ail\npresent.\nWISCONSIN, THURSDAY, JANUARY 8, 1914.\nFARMERS\' COURSE\nTO BE HELD HERE\nBig Gathering of Farmers Ex\npected Next Week-Prizes\nWill be Given.\nThe Farmers Course under the aus\npices of the Grand Rapids Bankers,\nWood County Training School, com\nmittee of Wood County Farmers and\nCollege of Agriculture will be held\nin the Bijou theatre on Wednesday,\nThursday and Friday, January 14. 15\nand 16. All the sessions of the\ncourse will be held at the Bijou, ex\ncept the evening session on Thurs\nday, which will be held at Daly’s\ntheatre.\nThe farmers course is free to ev\neryone and is offered only for the\ngood it may do in helping the far\nmers to unite for the common wel\nfare and in studying problems wiht\nwhich they all must grapple.\nThe best authorities in the state\nwho may he relied upon to conscient.\nionsly serve the public interest will\nhave places on the program.\nThose under whose auspices the\ncourse is held want everyone to at\ntend this course and want to make\nit the greatest farmers meeting ever\nheld in Grand Rapids.\nThe farmers are urged to bring in\nspecimens of potatoes, corn and oth\ner farm produce. On Friday after\nnoon a prize of $5 will be given for\nthe best colt exhibited, provided that\nthree or more colts are shown,. A\nfew good horses are also desired for\nexhibition. This is a very good time\nto advertise what you have. Tell\nyour neighbors about this course\nand be sure and come to it yourself.\nThe program for the three days\nis as follows;\nProgram:\nWednesday, January 14.\nSoils and Potatoes.\nv\nId a. m. Standard Commercial\nVarieties of Potatoes —Prof. J. G.\nMilward.\nThe Improvement of Wood) County\nSoils—H. W. Ullsperger.\n1:30 p. m. Community Effort for\nPotato Improvement—Prof. J. G. Mil\nward.\nGreen Manuring on Sandy Soils —\nH. W. Ullsperger.\n8 p. m. Social Life in Rural Com\nmunities —Prof. C. J. Galpin.\nThursday, January 15.\nFarm Crops.\n10 am. Essentials for Success\nwith Alfalfa —Prof. R. A. Moore.\nJudging of Exhibits.\n1:30 p. m. How to Handle the\nCorn Crop—Prof. R. A. Moore.\nAnnual Meeting of County Order\nWisconsin Experiment Association —\nOtto jl. Leu, S-ec.\n8 p. m., Daly’s theatre. Rural Life\nin Scotland (Illustrated) —Prof. A. S.\nAlexander.\nFriday, January 16.\nHorses and Cattle.\n10 a. m. My Good Old Horse —\nProf. A. S. Alexander.\nLeaks in the Dairy Business —Prof.\nG. C. Humphrey.\nI:3d p. m. Organized Efforts for\nDairy Cattle Improvement—Prof. G.\nC. Humphrey.\nJudging of Exhibits in Colt Show\n—Prof. Humphrey, Mr. Baker.\nJohn Liebe of Route 12 has gener\nously offered the following prizes:\nFor the best display of prepared\ndishes of potatoes, cooked, fried, sal\nads, etc.\nIst prize—5 bu. potatoes.\n2nd prize—3 bu. Potatoes.\n3rd prize—3 bu. potatoes.\nFor the best exhibit of potatoes,\n2 cords of wood.\nO. J. Leu offers a trio of Barred\nPlymouth Rocks for the best display\nof Golden Glow Corn.\nSIT WHILE\nHUNTING RABBITS\nGeorge Loock Shot in Right Leg\nSunday Afternoon\nGeorge Leock of this city was\nshot in the leg, ankle and foot while\nrabbit hunting near Seven mile creek\non Sunday afternoon. A mystery\nsurrounds the affair as it is not\nknown who did the shooting. It is\nthought that whoever fired the\nshot, was either trying to kill Mr.\nLoock’s dog or mistook it for a\nTa\'bbit. The dog was close to Mr.\nLoock\'s right leg when the shot was\nfired. The dog was killed and part\nof the charge entered the right leg,\nankle and foot of Loock. He was\nbrought to this city and received\nmedical attention. The wounds while\nnot serious are painful and will prob\nably keep Mr. Loock confined to the\nhouse a week.\nFaxes of Town of Grand Rapids\nare new payable at my office, room\nNo. 5, old Wood County National\nBank block, opposite post office up\nstairs. Itw\nC. M. Renne,\nTown Treasurer\nYOUKG GIRL AT\nTEMPTS SUICIDE\nWater too Shallow. Changes\nWind. Found In Home of\nFriend by Officers.\nThe attempt of Elizabeth Hensehel,\nfifteen years old, to commit suicide,\ncaused a great deal of excitement in\nthe fourth ward Saturday evening.\nMiss Hensehel left home about six\no’clock Saturday evening, because\nshe fea-ed her father. She had stated\nfollowing a beating he had given her\non a previous occasion, that if he\never beat her again she would kill\nherself. She went to the river and\nattempted to get into deep water,\nbut was unsuccessful and finally gave\nit up and wandered to the house of\na friend where she was taken care\nof and afterward found by the offi\ncers.\nAccording to the story told by the\ngirl and the officers, she intended\nto drown herself, hut because of the\nshallow water and ice she did not\nsucceed. It is said that several\nweeks ago her father gave her a\nsevere beating and she made the\nstatement that she would kill her\nself if he ever beat her again. Sat\nurday evening Hensehel learned that\nshe had been to a moving picture\nshow and began to raise a row. The\ngirl fled from the house. Officer\nBanter and Undersheriff Bluett were\nsent for and took up the hunt for the\nmissing girl. She was traced to the\nriver and the place where she| start\ned out on the ice was discovered\nSearch along the hank showed where\nshe had come back to shore. The of\nficers agreed that she had probably\nbeen unable to get to deep water\nand had returned to shore and was\nin the home of some friend. A sys\ntematic search of all the houses in\nthe neighborhood was commenced.\nThe officers were not saitsfied with\nthe verbal denial of the people but\ninsisted upon searching the houses.\nThe girl was finally found at the\nhome of Emil Toeple on Burt street.\nMr. and Mrs. Toeple took the girl\nin and had put her to bed under\nwarm blankets. It was after eleven\no’clock before the sdhrch was over.\nThe father finally arrived and got\nclothing for the girl and took her\nback to her home.\nDISCUSS WORK\nOF CIRCUIT COURT\nSay Double Trial System Should\nBe Abolished.\nThe circuit judges of the state\nhave been in session at Madison,\nwith the committee of lawyers ap\npointed at the last session of the\nlegislature to investigate court sys\ntems.\nThat the double trial system in\nprobate matter® is a drag on the\ncourts and should be abolished, was\none of the decisions reached. Judge\nA. H. Reid of Wausau and others\ndeclared there should be either an\nappeal from county court to .supreme\ncourt or else, when an issue is. join\ned in probate court, that the matter\nbe certified to circuit court for\ntrial.\nThere w r as considerable discussion\nover the proposed abolition of the\noffice of justice of the peace, but\nno decision was reached.\nThis was the first meeting of the\nlegislative committee since appoint\nment. It will report to the next leg\nislature the result of the investiga\ntion and submit a plan that appears\nto best suit the state needs and\nmeet with the approval of the state\njudiciary.\nMonday evening the circuit judges\nwere entertained at a banquet at\nwhich Judge W. J. Turner of Milwau\nkee, spoke of the divorce evil. He\nsaid that probably 5d per cent of the\ndivorces in Milwaukee county might\nhe avoided if anew system of grant\ning divorces was devised. Judge\nTurner believes that the legislature\nshould pass a law creating the posi\ntion of divorce lawyer to be appoint\ned by the circuit judge and no divorc\naction could be brought, except bj\nthis mam. “I think,’’ said Judge\nTurner, “that there are a large\nnumber of divorces brought b> law\nvers’ runners, who have brought out\nan evil as great as the ambulance\nchaser in personal injury cases. Then\ntoo. divorced women often urge wo\nmen who have had a quarrel to get\na lawyer and get a divorce. These\nremarks were made in refernece to\nMilwaukee county cases. Judge Turn\ner said he did not believe that the\nsame conditions prevailed in every\ncounty of the state.\nENDORSES SENATOR HATTON\nThe Eagle-Star is glad to note that\nWilliam H. Hatton of New London,\nis an announced candidate for the\nRepublican gubernatorial nomination.\nWe have contended for months that\nhe was the key to the situation for\nthe Republicans of Wisconsin. No\nother man, so far mentioned, com\nbines all the qualities necessary in\na candidate for the chief executive\nship, as he does. The Republicans of\nWisconsin have before them the big\ngest state fight of two decades. The\nstate situation, a Democratic presi\ndent in the chair, favor the opposi\ntion and it will need all the resources\nof a united Republican party to carry\nthe next state election. Mr. Hatton\nwill unite the parties as no other\nman can and is an ideal man for\nthe Then why not do\nthe logical thing. Republicans, and\nnominate him?—Marinette Eagle-Star\nMOTOR NUMBERS\nCO OUTOF STILE\nNew Number Plates of a Better\nDesign\nMOTORIST TO BE GIVEN TIME\nState is Unable to Provide Applicants\nWith License Numbers —Sorpe\nNew Numbers Here.\nRaus mat the 1913 automobile num\nbers. They went out of date at mid\nnight Wednesday, That was the last\nsecond that the 1913 licenses were\ngood. A few Grand Rapids automo\nbile owners already have their new\nnumbers. Those who have declare\nthat they are an improvement over\nthe 1913 numbers, because they are\nof better make-up and are more dis\ntinguishable.\nThe 1914 number plates are made\nfrom one piece of sheet steel, the\nnumber being pressed into relief in\nstead of tacked on as they wqre\nin 1913. The background of the num\nber plate is ena.maled white and the\nnumbers are enameled black, conse\nquently the Wisconsin number plate\nhave about all the contrast colors\nwill permit.\nThe new numbers are slightly\nwider than the §ld onesi, and the fact\nthat they are pressed from the steel\nplate instead of tacked on to it will\nmake it easier for motorists to keep\nt v -cl 0 ? -\'V fl .ip e&jbi q s-ha l^ ■\nNo one will be arrested: if he de\nports himself on country roads or\ncity streets with the 1913 number\nplate attached. The state department\nis so swamped with applications for\nnew numbers that it is impossible to\nissue new numbers fast enough. The\nfact that there are more automobiles\nin service this winter than ever be\nfore has only served to increase the\nrush of applicants.\nThe law, leisurely interpreted, give\nmotorists time enough to get their\nnumbers and run with the old ones\non until they do, because the state\nknows that before very much time\nelapses new numbers will be procur\ned. So apply for new numbers and\ndrive with the old ones until the\nstate sends you the new black and\nwhit© figures.\nTWO APPOINTED\nOK COUNTY JUDGE\nSoldier.s Relief Committee Now\nComplete Again.\nThe vacancies on the Soldiers’\nRelief Committee have been filled\nby County Judge - W. J. Conway, who\nhas appointed Phillip F. Bean of the\ntown of Hansen and C. R. Olin of\nMarshfield, who with Patrick Mul\nroy cf this city\' will compose the\ncommittee. Mr. Mulroy is the sec\nretary of the committee. The com\nmittee is allowed the use of one\ntenth of one per cent of the taxes\nfor use in relieving old soldiers\nwho are in straightened circum\nstances. During the past year, ac\ncording to Secretary Mulroy’s report\nthere were fourteen cases in which\naid was given, by his committee.\nThe money used in this work runs\nbetween S4OO and SSOO a year.\nSERIOUSLY HURT\nIt is reported that John Strike, of\nthis city, who is at work at Stevens\nPoint, met with an accident in which\nhe fell and fractured his skull and\nis dangerously sick. His family in\nthis city reside in the First National\nBank building, over the barber shop\noperated by Robert Solchenberger.\nThe particulars connected with the ac\ncident are not known to the writer\nas it occurred some time today. A\ntelephone message brought the report\nMEMBERS TAKE NOTICE\nJoint installation of the G. A. R.\nand Womens Relief Corps will take\nplace Thursday afternoon at the G.\nA. R. hall. All mem-beers of both\norders are cordially invited to be\npresent.\nBy Order of Secretary.\nINTEREST TAKEN\nIN HOSPITAL\nMany Gifts Received by Insti\ntution Since October\nREPORT IS INTERESTING\nSince October 1, 1913, Riverview\nHospital acknowledges the following\ngifts:\nMoney from—\nDr. J. J. Looze,\nDr. D. Waters,\nDr. Ridgman,\nDr. Pomainville,\nDr. Merrill,\nE. W. Ellis Lumber Cos.,\nConsolidated Water Power & Paper\nCos.,\nNekoosa-Edwards Paper Cos.,\nGrand Rapids Milling Company,\nI. P. Witter,\nGeo. W. Mead,\nMrs. R. J. Mott.\nOther gifts as follows:\nMrs. MacKinnon; 3 flannel gowns,\nbath robe, vest, union suit, kimona,\n2 glasses jelly, vegetables.\nMrs. E. W. Ellis; 2 bu. potatoes,\n1 bbl. apples, vegetables, flowers,\nmilk, cream, magazine stand, parsley\nplant.\nMrs. Rumsey; old\' linen.\nMrs. Emmes; vegetables.\nMrs. H. Demits, vegetables, 4\nglasses jelly, parsley plant.\nMrs. Dorney; 6 glasses jelly, 1\nqt. grape juice, jar apple butter.\nMrs. O’Day; chicken, 3 qts. fruit,\n3 glasses jelly.\nWest Side Congregational Society:\nMrs. W. Jones; old linen, vege\ntables, 5 glasses jelly, 4 qts. fruit,\ncatsup.\nMrs. W. A. Getts; old linen, 1\npt. fruit, 1 glass jelly.\nMrs. McMillan; 2 qts. pickled\npeaches, 3 glasses jelly, 3 qt®.\nfruit, oid linen.\nOtto’s Pharmacy; 2 qts. crushed\nfruit.\nMrs. C. E. Kruger; 1 quart fruit.\nMrs. Luther; 1 pint fruit.\nMrs. Ira Bassett; salt and pepper\nshakers, old linen, 3 glasses jelly.\nMm. Sam Church; 2 glasses jelly.\nMrs. Atwood; 1 glass jelly.\nMrs. Kinister; 1 quart jelly, 4\nglasses jelly.\nMrs. F. E. Kellner; 3 glasses jellj.\nMrsi. Denis; 2 glasses jelly.\nMrs. F. Bossert; 2 bath towels, old\nlinen.\nMrs. Boorman; 1 pint jelly, 1 glass\njelly. f\nEast Side Cong. Society; 1 can\ncorn, 7 glasses jelly, 11 qts. fruit,\n1 qt. salad dressing.\nMrs. Rogers Mott; 3 call bells,\nbasket grapes.\nMrs. I. P. Witter; 1 qt. fruit, bas\nket fruit, olives, 2 cans beans.\nMrs. F. Garrison; IV 2 qts. tomatoes\npop corn.\nMrs. E. Pease; 3 bu. potatoes.\nMrs. Chas. Kellogg, 3 glasses jelly.\nBOUND OVER TO\nKEEPTUE PEACE\nAntiquated Weapons Found by\nOfficer\nFred Pagel was taken before Judge\nJohn Roberts on a peace warrant\nwhich Pagel was charged with threat\nening to assault and commit bodily\nharm and with pointing a revolver\nat the complainant. Pagel was plac\ned under bonds of $l6O to keep the\npeace for six months. Officer Pan ter\nwent to Pagel’s home and demanded\nthe revolver. By the time the offi\ncer got through he had a collection\nof three of the most interesting\n“gats” that have come to light in\nthis community in years. One gun\nwas a short regular British Bull Dog\nrevolver, another was a double bar\nreled derringer of about 44 caliber\nand the last was a four barreled\nbrass muzzle loading outfit that must\nhave been handed down from the\nearly German wars. Two of the guns\nwere found loaded. The weapons\nhave been turned over to the chief\nof police and will no doubt decorate\nthe cumsity room at the cooler.\nANNOUCEMENT\nI have recently installed in my\ndental office a modern Nitrous Oxide\nOxygen Anhlgesic Apparatus and can\nassure the people that with this ap\nparatus all kinds of heretofore pain\nful dental operations can be done\nabsolutely with no pain. You are in\na state or condition what is medic\nally called Analgesia. Your eyes are\nopen, you can talk and answer ques\ntions —to sum up the whole, you are\nfully conscious in analgesia, but ex\nperience no pain from dental pro\ncedures.\nVOLUME 63. NUMBER 3.\n, 3 bottles relish.\nMrs. Marvin; 2 sheets, 2 pr. pil\nlow cases, 3 books, 3 glasses jelly.\nMrs. Ina Johnson; basket fruit and\nnuts, 1 glass jelly, can pickles.\nMrs. W. E. Nash; turkey.\nMrs. M. O. Potter; 2 qts. fruit,\nold linen, 1 qt. apple bntter.\nRev. and Mrs. Fliedner; 3 pictures,\n2 bottles fruit juice, 2 cans fruit,\nchicken, 3 jars pickles.\nMrs. Worlund; 1 quart milk.\nMrs. Jennie Taylor; 6 silver knives\nand forks.\nMrs. T. E.Nasb; 9 books.\nGleue Biros.; 2 pair slippers for\noperating room.\nMrs. D. Waters, 1 pt. grape juice.\nMrs. Quinnel; 1 qt. fruit.\nMrs. Kibitsky; glass jelly.\nMrs. Woodell; 2 glasses jelly.\nMrs. D. J. Arp in; wardrobe, 3\nchairs, bedspread, 2 pillows, 1 pair\nwoo! blankets, old linen, picture, 2\npair pillow cases.\nMrs. Elizabeth Daly and Mrs. M.\nPomainville; commode.\nMrs. McPailand and Mrs. Riley; 1\npair curtains.\nMrs. Kenyon, ti wash cloths.\nMrs. N. Robinson; 1 pair pillow\ncases.\nMrs. Gunther; 2 chickens, sausage,\n2 pumpkins.\nMrs. Vollert; 2 pumpkins, squash.\nM. E. Society; 6 draw sheets, 6\nsheets, 1 bedside table, window shade\nword robe.\nSt. Katherines Guild; 8% qts. fruit,\n1 qt. marmalade, 15 glasses jelly, 1\ncan peas.\nMiss J*ne \\ gliu#.- jelly, I\npt. fruit.\nMiss Mulroy; 2 qts. jelly.\nMrs. Berkey, turkey.\nMiss Barbara Daly; 2 glasses jelly,\n1 quart peaches, honey, old linen,\nchild’s bedroom slippers.\nMrs. Cleveland; 1 pair pillow cases\nMaster Brace Fisher; turkey.\nMrs. N. E. Emmons; 6 glasses jelly\nold linen.\nMrs. S. Primeau; 1 pr. pillow cases\nCongregational Church Sunday school\nMrs. C. C. Hayward’s class; 10\ntowels, 3 bath towels.\nMiss B. Eggert’s and Miss Fqn\ntaine’is class; 24 bars toilet soap.\nMrs. Gardner’s class; 0 glasses of\njelly, 1 quart fruit.\nMr. Mead’s class; 2 disk cloths, 6\nbath towels, 16 bars toilet soap.\nMiss Hasbrouck’s class; cake, cook\nies, cranberries, chicken, bananas,\nnuts, 1 quart fruit, game.\nDuring these three months 26 pa\ntients have been received.\nElizabeth Wright,\nSecretary.\nHas there ever existed a person\nwho willingly went to a dentist and\nwho enjoyed the hour? Is at not a\nfact that a toothache caused by the\ndecayed tooth was the probable sole\nreason of his going at all? Analgesia\nis here to stay and we can truth\nfully say for the first time that pain\nless dentistry is here to stay. Will\nbe pleased to explain and show to\nthose interested the Ga<s-Oxygen Ap\nparatus. 1 take pleasure in trying\nto keep pace with modern dentistry\nof the new year.\nGEO. R, HOUSTON,\nDentist,\nTWICE FOUND OF\nffIISSINC HM\nCap and One Mitten of Frank\nWockocki Found m River\nThe finding on Tuesday of a mit\nten and cap on the pond at Port\nEdwards started wild rumor about\nthat the body of Frank Wockocki,\nwho disappeared on Dec. -0, had\nbeen found. The mitten and cap\nwere identified as belonging to Wo\nckocki. This bears out, somewhat,\nthe theory that has been held by\nsome of Wockocki\'s friends, that the\nmissing man had met with foul play.\nJOINS FEDERAL RESERVE\nAt a meeting of the directors of\nthe First National Bank, of this city\nTuesday evening, the board decided\nto become a member of the Federal\nReserve association.\nThe First National 3s the first\nbank in Central Wisconsin to adopt/\nthe new currency system and it is\nexpected that this membership will\nenable the bank to still better care\nfor its customers.', 'batch': 'whi_carrie_ver01', 'title_normal': 'wood county reporter.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85033078/1914-01-08/ed-1/seq-1.json', 'place': ['Wisconsin--Wood--Wisconsin Rapids'], 'page': ''}, {'sequence': 1, 'county': ['Manitowoc'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85033139/1914-01-08/ed-1/seq-1/', 'subject': ['Manitowoc (Wis.)--Newspapers.', 'Wisconsin--Manitowoc.--fast--(OCoLC)fst01225415'], 'city': ['Manitowoc'], 'date': '19140108', 'title': 'The Manitowoc pilot. [volume]', 'end_year': 1932, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Publisher varies.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Manitowoc, Wis.', 'start_year': 1859, 'edition_label': '', 'publisher': 'Jeremiah Crowley', 'language': ['English'], 'alt_title': [], 'lccn': 'sn85033139', 'country': 'Wisconsin', 'ocr_eng': 'VOLUME LV.\n)| COURT OPENS JANUARY 13.\n\\j\nThe January term of circuit court\n\'ill open here next Tuesday morning,\n\'here are on the calendar fifty-two\nises, four criminal cases, twenty-eight\niry cases and twenty court cases. The\nirors are summoned to appear on\n/ednesday, January 14, at 2 o’clock\n.M. The first day petitions for na\niralizatian will be acted upon. Fob\n\'wing are the cases noted for trial:\nCriminal Cases.\nhe State of Wisconsin, vs.\nThe Wisconsin Pea Canners Com\npany, a corporation,\nhe Stale of Wisconsin, vs.\nReinhardt Kroening.\n\'he Slate of- Wisconsin, vs.\nOliver Mott (Bastardy),\n’he City of Manitowoc, vs.\nFrank J. Zeman.\nViolation of Ordinance Regulating\nthe hours of Business of Saloons.\nFact For Jury.\nHilbert F. Price and Louis E. Lyon )\nco-partners doing husines under\nthe firm name and style of Puritan\nManufacturing Cos. vs.\nPierre Virlee Company, a corpoiation.\nStephen Stephenson vs.\nJohn E. OTlearn.\nFrank Reif vs. William Fehring\nS. J. Clark Publishing Cos. vs.\nHengy Oeslreich.\nLouis Franzmeier, vs.\nGeorge Braasch\nWilliam M. Willinger, Administrator\nof the estate of Joseph Mlada, de\nceased, and Emil Cizek vs.\nJohn Folifka.\nJohn E. Rowlands, vs.\nRebecca A^Shoyer.\nJohn E. Rowlands, vs. Rebecca A.\nShoyer, L. J. Nash etal Garnishees.\nJ. M. Duecker Hardware Cos., vs.\nNathan Burgdorf.\nIn the Matter of the estate of Amelia\nWallschlaeger, Deceased.\nSlate Ex Rel R. P. Hamilton, et. al.\nvs. Robert Schubert, et al.\nnJ. Jebavy, Administrator of the\nestate of Raymond Jebavy, De\nceased, vs.\nSchuetle Cement Construction Com\npany, a corporation.\nThe Village of Reedsville. a municipal\ncorporation, vs.\nCharles F. Maertz and Fred A. Fred\nrich.\nHenry Goeres, vs. C. U. Simon.\nErnest Miller,* vs.\nHellfrisch.\nEmil Klose vs.\nAluminum Goods Manufacturing Com\npany, a corporation.\nHenry Goeres vs, C. H. Simon.\nSol. G. Pelkey, vs.\nMathias Koch and John Koch.\nKriwanek Brothers Company vs.\nOhio Millers Mutual Fire Insurance\nCompany.\nKriwanek Brothers Company vs.\nUnited American Fire insurance Com\npany.\nLouis Mater, ‘.vs.\nValders Lime & Stone Company, and\nLudwig Kautzer.\nAdolph Klann, et al vs.\nRockland Drainage District No. 1.\nJoseph Toucial et al, vs.\nRockland Drainage District No. 1J\nWencel Tinor, Jr., et al. vs.\nRockland Drainage District No. I.\nRichard Kiel, as Trustee in Bankrupt\ncy of Hugo Lindner and Walter\nLindner, Bankrupt. vs.\nMichael Wagner.\nEmanuel Krejci, vs.\nEstate of Mary Krejci, Deceased.\nDenis Ryan, vs. Union Lime Company.\nMike Musial vs. Steve Zendala.\nFact for Court.\nMinnie Ott, vs. Henry A. Ott.\nStephen P. Stephenson, vs.\nJohn E. O’Hearn.\nMargaret Meehan, vs.\nThomas Meehan.\nAnna Spann, vs. August Spann.\nMary Tadych, vs. John Tadych.\nWilliam Neuser, vs.\nFranclsca Neuser.\nEdward Junker, vs. Hugo Groelle.\nJohn Buckley, vs.\nChristina A. Stout, et al.\nDefault.\nH. C. Wilke, vs. •\nThe Unknown Successors and Assigns\nof the Two Rivers Manufacturing\nCompany, and all Persons whom it\nmay Concern.\nDefault.\nJames Sbeahan, vs.\nBenjamin W. Porter.\nDefault.\nBertha Gruetzmacher, vs.\nWilliam Gruetzmacher, ot al.\nDefault.\nTheresa Vollendorf, vs.\nJohn Kuhl, ot al.\nDefault.\nFred J. Schnorr, vs.\nThe Unknown Successors and Assigns\nof the Two Rivers Manufacturing\nCompany, and all Persons whom it\nmay Concern.\nDefault.\nDella Hudson, vs. Charles F. Hudson.\nDefault.\nClara Van Bremrrer, vs.\nJames Van Bremmer.\nDefault.\nWilliam G. Luepa, vs.\nJames G. Donnelly, et al.\nDefault.\nFranz Kraus and Elizabeth Kraus,\nvs. Joseph Kraus, et. al.\nDefault.\nMinnie Fokett, vs. Louis Fokett.\nDefault.\nAdolph Belinske vs. Ella Jackson.\nDefault.\nWilliam F. Christel, vs.\nCharles Nelson.\nm IBtoilfltewrjc Pilot.\nC ,TY COUNCIL NOTES.\nThe council meet in regular session\nMonday evening. All members were\npresent.\nThe bridge committee recommended\nthat all bids for lengthening the spans\nof Bth street bridge be rejected and\nthat at the\' April election the following\nthree questions be submitted to the\npeople; new bridge, rebuilding present\nbridge and no change. This report\nwas adopted. It is believed that if no\nchange is decided upon the war depart\nment will be urged to condemn the\npresent bridge as an obstruction to\nnavigation.\nPlumb reported orally for the elec\ntric committee that the city assumed\npossession of the electric light plant\nlast Friday, January 2nd; that the ap.\npraiser from Madison had agreed with\nthe company and committee on the val\nue of supplies and extensions made\nsince January 1, 1913, at SBSOO, and\nseveral smaller details. The electric\nplant is now a municipal utility owned\nand operated by the city, and tempor\narily managed by the electric commit\ntee of the city council, composed of\nRalph Plumb, Charles Frazier and\nMartin Georgenson, who with the at\ntorney conducted all the negotiations\nwith Mr. John Schuette for closing\nthe transfer. They report that all\ndealing with Mr. Schuette was pleas\nant, he meeting them more than half\nway on all open points. The total cost\nwas $146,000. Bonds to cover this,\nwhich the company will take, are be\ning printed.\nAn ordinance was introduced prohi\nbiting, except in certain specified cas\nes, the blowing of boiler Hues of steam\nships in the harbor. Jt was referred\nto the judiciary committee.\nThe sexton, street commissioner,\nhealth officer, visiting nurse and police\nchief all had annual or quarterly re\nports on file. The chief’s report of\narrests was classified every way possi\nble and showed that in 1913 about 630\nCaucasians lone nigger were\narrested in this city. The chief wants\na motorcycle to make more certain the\nhaling to justice of the motor speed\nfiends. The police committee will re\nport on this. He also expressed his\nthanks to everyone except the Daily\nNews.\nThe mayor has an idea that it would\nbe a good plan to buy the lot aAolnirg\nthe Franklin street fire station, evi\ndently having a future city hail in\nview. It excited some debate. Thori\nson is against the hall idea, / Plumb\nagainst the site. The finance commit\ntee will get a price on tho lot.\nThe Judicairy committee will get a\nprice, if possible, on the Vilas lot, be\ntween the stand pipe and the Schuette\nresidence. This caused more airing of\nideas. Tho mayor thinks the railroad\nbridges will some day be ordered re\nmoved.\nThe fire committee recently put pav\ning brick floors in the horse stalls at\nthe north side station where 5 of the 7\nhorses are kept. Schroeder, Lippen\nand Scherer made a vigorous attack on\nthis scheme claiming it lames the\nhorses. Thorison and chief Kratz up\nheld the other side. It gotquite warm\nand the mayor had to spread the salve.\nThorison says it saves lumber and the\nchief’s big point was that it makes the\nsleeping quarters of his men more san\nitary.\nAbout once in two months some al\nderman questions the Jagodzinsky per\nsonal injury claim which is allowed at\nevery meeting. Bigel called for an\nexplanation this time. The city is\npaying Jagodzinsky the compensation\nact rate as ordered, and must continue\nto do so unless the man becomes able\nto work again. He is (14 years of age\nand broke a leg badly in the municipal\ngravel pit in July, 1911.\nA resolution of condolence upon the\ndeath of alderman Rugowski’s father\nwas adopted.\nDIED\nGertrude Hanson, the six-year-old\ndaughter of Mr. and Mrs. Edgar Han\nson, 8.52 North Fourteenth street, died\nFriday of diphtheria. The funeral\ntook place Saturday afternoon.\nThis is the second death in the fam\nily in two weeks, another girl, aged 5\nyears, having died of the same disease.\nMathias Rugowski an old resident of\nthis city, died Monday. He was born\nin Germany and came to this city in\n1872, where he had since resided. Uc\nleaves a wife and eleven children to\nmourn his death. The funeral was\nheld this morning from St. Boniface\nchurch.\nMonday night Andres Hand!, a well\nknown resident of this city, aged 75\nyears, dropped dead on Washington\nstreet on his way home from an install\nation of olllcers at the St. Boniface\nhall. The cause of his death was\nhearf trouble. He has been janitor\nof the Tlh ward school for- several\nyears. For twelve years he served\nas vice-president of the S‘.. Boniface\nCatholic society and Monday nigiu, was\nre-elected. He leaves a wife and large\nfaintly of grown-up children. The\nfuneral will be held tomorrow morning\nfrom St. Boniface church.\nITEMS FROM THE PILOT FILES.\n‘FIFTY YEARS AGO.\nCold Weather The coldest\nweather experienced by us for many\nyears commenced on Now Year’s day,\nand lasted for several days—the ther\nmometer ranging thirty and thirty\nfive degrees below zero. Business was\nentirely suspended in this town during\nFriday, Saturday and Monday—no oue\nbeing able to be out doors any length\nof time. The material in our office\nwas frozen together so that the hands\ncould not touch the type or work the\npress, which will account for the ab\nsence of any paper last week. We\nwere without mail an entire week.\nThe cold weather extended through\nout the country and we hear of many\ncases of suffering on the railroads and\nother thoroughfares.\nEffects of The Cold—We notice\nby our exchanges that throughout the\nwhole State the severity of the weath\ner was extremely felt, and in many\nplaces we hear of persons being badly\nfrozen—in a few instances resulting in\nloss of life. In this section we have\nheard of but few sufferers. One un\nfortunate fellow, residing in Brown\ncounty, had both his feet frozen so\nbadly that it was at first supposed he\ncould not live, but through the skill\nful efforts of Dr. Balcom, ho is in k\nfair way to recover, though amputation\nof one of the limbs was found to be\nnecessary.\nA Large Establishment — Mr.\nWilliam liabr, the well known Brewer\nhas just completed a very large estab\nlishment for the manufacture of lager\nbeer, and at his invitation many of our\ncitizens visited his cellar on Saturday\nlast. The principal cellar is 75 by 54\nfeet, 16 feet deep, with stone walls\nthree feet thick. Within this is an ice\nhouse 20 by 40 feet, with stone walls\ntwo and a half feet thick. Adjoining\nthe main room is a yeasting cellar 56\nx 20 feet, covered with solid masonry.\nMr. Ruhr\'s establishment is one of\nthe largest and finest in the state, and\nwe hope large expense incur\nred by him will be returned four-fold.\nU is enterprise and public spirit should\nbe followed by others.\nLincoln wants more men —We\nthought the Emancipation Procla\nmation was to put an end to me wdr!\nHow is that?\nTWENTY-FIVE YEARS AGO.\nHon. Issac Craite of Misbieott atten\nded the examination of applicants for\nadmission to the bar at Milwauke last\nweek.\nThomas Hogan of Antigo is spending\na few days in the city. Mr. Hogan\nhas met with the most gratifying suc\ncess in the practice of his profession at\nAntigo.\nThe Appleton Post thinks if Sand\nford were trained for the prize ring in\nearly manhood ho would be the cham\npion today. Be is described as a cross\nbetween philanthrophy and brigandry,\nand as being possessed of incomparable\ngentleness and unparalleled savagery.\nIda Filbolm, daughter of J. C. Fll\nholm of this city, died on Thursday,\nDecember 27, 1888, aged it). She was\na bright active young girl, but last\nMay began to fail in health and time\nbroughtno improvement. Her funeral\nlook ])iace on Sunday and a large num\nber of friends testified their respect by\ntheir attendance. The stricken rela\ntives have the sympathy of the entire\ncommunity.\nUncle Wood and John Schuette have\nquit singing on Sylvester eve. The\npeople who assemble at Turner Hall\nfeel the deprivation much though the\ntuneful efforts of the men were far\nfrom pleasing. Sylvester Eve is not\nwhat it used to be.\nPeople who, as Tom Windiate would\nsay “were on earth in 1804” were busy\non Tuesday last contrasting it with\nthe first day of January 1804. Then a\nperson could hardly stir outside with\nout being frozen, while Tuesday last\nwas as balmy as a day in May.\nEd. Sams of Mishioott while walking\naround the barn of J. L. Miller of this\ncity, broke off an alder branch with\nbuds ready to burst. A warm rain\nwould bring them out in full leaf.\nThis stale of things brought out some\nfurther facts of the unprecedented mild\nness of the winter. On the 2.\'frd of\nDecember live frogs were found in\nMishicott, right lively fellows, too.\nThere are any number of robins in the\ncity. This will prevent the early rob\nin item from making its appearance in\nlocal papers next April.\nNew Years day was a day fit to in\nspire a poet. The sleighing was ex\ncellent, the face of the sky was not\nmarred by a cloud sjieck and the sun\nshone bright. In the afternoon Eighth\nstreet was thronged with people urg\nging horses of all conditions to do their\nprettiest, while the river was crowded\nwith skaters. It was a day calculated\nto make a misanthrope feel that life\nwas worth the living.\nMANITOWOC, WIS., THURSDAY, JANUARY 8, 1914.\nEDUCATIONAL.\n(RyC. W. Meisnkst.)\nJANUARYTF ACKERS’ MEETINGS\nOsrmn, Jan. 17, 1914.\n9:30 A. M.\nOpening\nClass Exercise in Middle Form Geog\nruphy - - Nellie Ilarnes\nRural Economics - Edwin Mueller\nTeaching How to Study (Chapter V)\nI’. J. Zimmers\n1;80 P. M.\nHow to Teach Long Division. Factoring\nand Decimals - James Murphy\nBllanora Graf\nMoral and Humane Teaching\nMarie Gass\nAccident Prevention - Mary Grady\nHow to Study (Chapter XI)\nP. J. Zimmers\nIteedsville, Jan. 10, 1011.\n10:00 A. M.\nSinging - - Hecdsville Pupils\nConducted by Gladys Willlnger\n(a) Accident Prevention\nMildred Dedricks\n(b) Moral and Humane Teaching\nEtta Hayden\nTeaching How to Study (Chapter V)\nI’. J. Zimmers\n1:30 P. M.\nClass Exorcise in Agriculture\nElizabeth Wnlrath\nUural Economics - F. C. Christiansen\nHow I Teach Factoring, Decimals, and\nLong Division - Florence O\'Connors\nI’. W. Fahey.\nTeaching How to Study (Chapter XI)\nP. J. Zimmers\nBring your copy of McMhrry to all\nmeetings.\nHealth work in rural schools pre\nsents some problems entirely dilVerent\nfrom those found in large villages and\nin cities.\nRural schools are, with only a few\nexceptions, entirely unprovided with\nhealth supervision of any nature. Vet\nthese are the very places most in need\nof it. In the larger centers competent\ndoctors are available, and in the cities\nfree medical and dental clinics may al\nways be found, but in the country med\nical and dental attention is often diffi\ncult to obtain.\nAgain, people in the country are\nlittle inclined to seek aid from physic\nians or dentists, simply because they\nhave not yet been educaflAi to do so\nexcept in serious cases. It therefore\nhappens that children of the rural\nschools are in general (contrary to the\ngeneral impression) more in need of\nmedical and dental attention than the\nchildren of larger communities.\nThere is also a common impression\nthat country children are naturally\nmore vigorous than city children.\nr i his ought to bo true, but unfortun\nately it is not. In general food is not\nas well prepared in the country as it\nis in the city; the available variety is\nsmaller; the houses and schools are\nless well ventilated, overheating in\nwinter is common; tuberculosis is not\nso well understood and the chances for\n“house infection” are therefore great\ner; and general public sanitation is\nalmost without exception neglected in\nthe country.\nChildren in the country are more ex\nposed to unfavorable weather condi\ntions than are city children. They of\nten walk long distances in extreme\nheat, cold, or wet; and sit in school\nwith damp clothing or wet feet. They\nalmost invariably wear 100 much cloth\ning indoors in cold weather, and are\nconsequently overheated in the school\nroom and then are chilled on the way\nhome. Under such conditions it is no\nwonder that colds and other respira\ntory disorders are common, and that\nmany country children are out of\nschool on account of various kinds of\nsickness\nTin sanitation of a rural school is\nusually very bad. The common drink\ning cup hangs from a nail over the\nwater pail; floors and desks are often\nvery dirty; ventilation is a negligible\nquantity; outdoor toilets are in un\nspeakable condition; washing facilities\nare either not provided at all, or con\nsist of a pail of water, a dirty tin basin,\nand one common towel.- From U, S.\nliureau of Kducation Letter.\nThe above letter needs to be heeded\nat this time of the year. There is\nmuch sickness throughout the county\nand city. Several schools were closed\nbefore the holidays. School boards\ncannot give the matter of fumigation\ntoo much attention at this time. The\nschool house ought to disinfected fre\nquently now. Some children catch\ndiseases from each other very readily.\nTake alt necessary precaution, it is\ncheaper than paying doctor bills, and\nmay prevent an epidemic in the com\nmunity.\nBl) v LAND ON EASY TEHMS.\nCut over hard wood lands in Wiscon\nsin, from 915.00 per acre up. 91 00 per\nacre cash, balance in monthly install\nments of 9. r j.oo on each forty (.ought.\nNo better proiswltion known. Go to It\nAdv. A. P. Schk.nian, Agent.\nOr Change Him.\n“Maud\'s husbands name is lull,\nlan’t It?" “Yes, and Lies afraid shell\nhrcutJk him."\n0. TORRISON COMPANY\n—. ... ■\nREAL WINTER IS SURE TO COME. Take ad\nvantage of these real overcoat bargains. Entire\nstock of overcoats reduced as follows:\nRegular 35.00 Mon\'s and Young Men’s Fancy Overcoats, r[ A\nsale price tpuDiDU\nRegular 30.00 Men’s and Young Men’s Fancy Overcoats, Ann\nsale price\nRegular 25.00 Men’s and Young Men’s Fancy Overcoats, Ain\nsale price tD 1 O* / O\nRegular 20.00 Men’s and Young Men’s Fancy Overcoats, £-| a\nsale price J. f\nRegular 15.00 Men’s and Yuung Men’s Fancy Overcoats, Ai rv wy N\nsale price W A \\/# / O\nRegular 12.00 Men’s and Young Men’s Fancy Overcoats, 71?\nsale price wOi/D\nRegular 10.00 Men’s and Young Men’s Fancy Overcoats, rfknr A C?\nsale price / .T\'O\nRegular 7.50 Men’s and Young Men’s Fancy Overcoats, dJC f?A\nsale price\nRegular 100.00 Fur or Fur Lined Coats, Ahq CfY\nsale price I i/tDU\nRegular 90.00 Fur or Fur Lined Coats, •* r?/\\\nsale price V" I.OU\nRegular 75.00 Furor Fur Lined Coats, *7C.\nsale price / O\nRegular 50.00 Fur or Fur Lined Coats, Aqa , 7C?\nsale price .. ■ / O\nRegular 35.00 Fur or Fur Lined Coats, £OT OC\nsale price / a /3\nRegular 30.00 Fur or Fur Lined Coats, Ann TC?\nsale price / D\nRegular 25.00 Fur or Fur Lined Coats, Q7C\nsale price pi / O\nRegular 20.00 Fur or Fur Lined Coats, (11? QC\nsale price wi\nRegular 10.50 Fur or Fur Lined Coats, Ai n\nsale price uluiOU\nAll other priced coats reduced in the same proportion.\nPOSTAL EMPLOYE UNDER\nSERIOUS CHARGE.\nEdward Zander, for many years a\npost ollieo clerk and lately transferred\nto the rural delivery service, was ar\nrested and taken to Sheboygan last\nweek on a charge said to have been\npreferred there hy the father of a girl\nof about Ik, working hero as a domes\ntic.\nZander was a leading member of a\nlocal amateur minstrel company that\nvisited Sheboygan a few weeks ago\naccompanied by a large number of\nlocal people It is charged that he\nregistered with the young woman at a\nSheboygan hotel after the performance.\nThe arrest was something of a sensa\ntion as Zander has been prominent in\nvarious ways for years. Ills being a\nmarried man adds to the gravity of the\noU\'ense, if it was committed. Yester\nday he waived examination and was\nbound over for trial at the April term\nof the Sheboygan circuit court. Honds\nwere lixed at 9*500 which ho furnished.\nMarriage Licenses\nThe following marriage licenses have\nbeen\' issued hy the county clerk the\npast week:\nJohn Warner of Mosel, Sheboygan\ncounty, and Klla Bogenscbuetz of Cen\nterville; Arthur Murinean anil Flor\nence Schultz, both of Two Rivers; Ixl\nwaril Hessel of Kossuth and Agnes\nRenishek of Rapids.\nThe German Lutheran Fire Insur\nance Cos. hold their annual meeting\nlast night. Dr. Otto VVernecko was\nelected president and Fred UockhofT\nand Cha. F.ngel, directors. A dividend\nof 10 percent was declared.\nEUGENIC DIFFICULTY OVERCOME.\nNew Year’s day the now Wisconsin\n“Eugenio" marriage law went into\nforce. Under it no county clerk can\nissue a marriage license unless the\napplication is accompanied by a phy\nsicians certillcate that the prospective\ngroom is free from certain spccilied\ndiseases. Physicians are prohibited\nfrom charging more than $3.00 for the\nexamination. The law seems to re\nquire certain modern laboratory tests\nof the blood which doctors say will\nlake weeks of time and alxnit $23.00.\n| For months there has been much com\n| ment over the possibililitios of none, or\nfew marriages.\nThe last license In Manitowoc coun\nty under the old law was issued by\nClerk Auton to.lolm Warner of Mosel\nand Ella Hogenschuetz of Centerville,\non an application dated December JOth,\nOn January second an unsuspecting\ncouple came In for a license but the\nclerk demanded the irrootn\'s "all\nclear" paper, lie never had heard\nof Eugenics. Wednesday came Ar\nthur Marinueu ami Florence Schultz\nioth of Two Rivers, the former hear\ning county physician Cullman\'s signa\nture to the statement that he had gut\nby. The county clerk was uncertain.\nHe got into telephone communication\nwith Atty. general Owen who advised\nhim not to require the blood lest, so\nthe Schulz Marlnaeu couple received\nthe first eugenic license issued in the\ncounty and one < f the llrst in the stale,\nmany clerks including Milwaukee\nholding out for the blood test. Mon\nday, January’>th license No. 2 was is\nsued to Edward Hessel of Franklin and\nAgnes Henechek of Rapids on the cer\nlilicHte of city Health Otllcer Dr.\nSlauble.\nNUMBER 28\nNOTHING UNUSUAL GREETS 1914.\nThe first day Nineteen fourteen came\nin last week without anything to dis\ntinguish it from numberless New Year’s\nin the past unless it bo the remarkably\nmild weather. There lias been no\nreal winter to this date. The ice on\nthe upper river is said to be but little\nover four inches thick as against two\nor three feel in the middle of January\ntwo years ago. The customary annu\nal Sylvester balls were held. Over 100\ncouples were at the Cos. H. affair at\nthe Opera House. The Hlks club had\nopen house with a punch bowl, tango\nand at midnight symbolical impersona\ntions. The Hoy Scouts greeted the\nnew year with a parade through the\ndown town streets. Various churches\nheld watch services. At midnight a\nbedlam of steam whistles and church\nbells shattered the night for a quarter\nhour. On the evening of the tirst\ni’rof. VVirlh’s dancing social attract-td\na largo attendance. In the city’s so\ncial set a party was held evoiy evening\nduring the holidays.\nLAW SUIT OVER MEEHAH FARM.\nit is reported that a nephew of John\nMeehan who died two weeks ago,\nshortly after deeding for a fraction of\nits value a large farm to a tenant, not\nrelated to him, will contest the gran\ntee’s title in couit Ft is said that he\nhas retained an attorney at Kaukauna\nand will commence proceedings at\nonce in the local court. The farm is\npledged upon the bond of William Red\ndin whose conviction with most of the\nother defendants in the labor union\ndynamite case was this week continued\nby the Federal Circuit Court of Ap\npeals.', 'batch': 'whi_harriet_ver01', 'title_normal': 'manitowoc pilot.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85033139/1914-01-08/ed-1/seq-1.json', 'place': ['Wisconsin--Manitowoc--Manitowoc'], 'page': ''}, {'sequence': 1, 'county': ['Sauk'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn86086068/1914-01-08/ed-1/seq-1/', 'subject': ['Baraboo (Wis.)--Newspapers.', 'Wisconsin--Baraboo.--fast--(OCoLC)fst01222682'], 'city': ['Baraboo'], 'date': '19140108', 'title': 'Baraboo weekly news. [volume]', 'end_year': 1979, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Available on microfilm from The State Historical Society of Wisconsin.', 'Editors: H.E. Cole & H.K. Page, Jan. 4, 1912-April 12, 1928.', 'Publisher varies.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Baraboo, Wis.', 'start_year': 1912, 'edition_label': '', 'publisher': 'H.E. Cole & H.K. Page', 'language': ['English'], 'alt_title': [], 'lccn': 'sn86086068', 'country': 'Wisconsin', 'ocr_eng': 'ESTABLISHED MAY 26, 1884\nHI FOUND\nme m\nLillian Engelman, Who\nDisappeared on Monday\nDec. 22, Appears.\nFATHER TRACES JOURNEY\nFifteen Year Old Girl In\nduced to Leave Home by\nOlder Acquaintance.\nLillian Engelman, who left her\nhome in Marshfield Monday osten\nsibly to visit her nncle, Emil Engel\nman, in Baraboo, was found in Pine\nRiver on Wednesday after an absence\nof ten days during which time her\nrelatives knew nothing of her where\nabouts. The missing girl\'s father\nclosed his business in Marshfield and\ntraced hi3 daughter\'s progress from\nthe moment she left her home. The\npolice were notified, but until\nWednesday morniDg nothing was\nknown beyond that she had been seen\non the train at Merrillan. On Wed\nnesday morning Mr. Engelman re\nceived word from the marshall at Wild\nRose that a girl answering to Miss\nEagelman’s description had taken a\ntrain for Pine River.\nHer father left immediately for Pine\nRiver and found his daughter on the\npoint of leaving for parts unknown\nwith a young woman companion. Tae\nlatter, who has been employed at the\nEngelman home at Marshfield\nand who was twenty-two\nyears of age, unbeknownst to the other\nmembers of the family, had induced\nLillian to promise to leave her home\non some pretense or other and meet\nher at Pine River where the twain ex\npected to “run away”. This attempt\nwas frustrated by Mr. Eogelmsn who\narrived at the rendezvous in the nick\nof time and returned with a penitent\nand, it is hoped, wiser daughter.\nNeedless to say the young girl’s act\ncaused much anxiety to her uncle in\nBaraboo, who met every train since\nher arrival was expected and gone to\nother trouble as well. Her uncle in\nBaraboo states that as far as he knows\nLillian had no reason to leave a good\nhome. In his letter to his brother in\nBaraboo Mr. Engelman does not state\nthe seducer’s name to whom rightly\nbelongs a of the blame.\nSEMI INJURED\nBE HiSE’S HOOF\nAnimal, Uneasy in Black\nsmith Shop, Kicks By\nstander on Skull.\n(Prom Friday\'s Daily.)\nAs Lawrence Luce, son of Mr. and\nMrs. J. H. Luce of Fairfield was\nstanding near his horse in A. R.\nBarber’s blacksmith shop this after\nnoon, the horse became uneasy and\nkicked viciously. The first time Roy\nWashburn, who was standing behind\nthe animal, narrowly escaped. The\nsecond time as Lawrence Luce dodged\nto escape the blow, the hoof\nstruck him on the back of the head\nand threw him, face downward, on a\npile of hammers. The youth was\ntaken to a physician’s office where\nhis injuries were treated. Of j ust how\nserious a nature are the latter, had not\nbeen determined as we go to press.\nLower Rates\nJire Sought\nAt Prairie du Sac there will a pub\nlic hearing on the evening of January\n6 to consider the question of lower\nrates. On the evening of January 14\nthe State Railroad Commission will\nhold another hearing, the village\nboard having asked for an investiga\ntion into the services rendered and\nrates charged by *the Prairie du Sac\nMill & Power company.\n—rMiss Esther Simpson has returned\nfrom Madison where she spent the\npast fortnight.\nLast Sad\ntes for\nVeteran\nThe funeral of Orson Simoads was\nheld at the heme of bis daughter,\nMr. John D. Kramer, Eighth avenue,\nat 2 o’clock on New Years day, Rev.\nE. P. Hall officiating. The bearers\nwers sons and sons-in-law of the de\nceased as follows: E. R Simonds,\n\' *■ .\nORSON SIVIONDB.\nBern on the seventeenth birthday of\nAbnham Lincoln.\nBuried New Years Dsy.\nCyrus Simonds, Freeman Simonds,\nDavid L. Hopper, John D. Kramer\nand Jacob Kramer.\nMr. Simonds whs born February 12,\nthe seventeenth birthday of Abraham\nLincoln. He moved from New Y r ork\nto Illinois and later to Wisconsin. He\nmarched with Sherman to the sea and\nwas in a number of stirring battles.\nMr. and Mrs. D L. Hopper and John\nSimonds of Reedsburg attended the\nservices.\nNorth fiiifield\nMr. and Mrs. Gust Lewis enter\ntained several of their relatives and\nfriends for dinner Sunday.\nLittle Helen Lewis, daughter of Mr.\nand Mrs. Joe Lewis had her tonsils re\nmoved last Saturday:\nMr. and Mrs. James Lamar of Kil\nbourn visited a few days last week\nwith Mr. and Mrs. Marion Lamar,\nalso with Mr. and Mrs. Carl Anchor.\nLit*le Billie Newell of Baraboo is\nvibiting a few days with grandpa and\ngrandma Lamar.\nMr. and Mrs. Fred Flynn and fam\nily and Mr. and Mrs. John Wilson\nand family ate Christmas dinner with\nMr. and Mrs. Calvert.\nNEW YEARS JVE RECEPTIDH\nPastor and Officers of\nChurch Receive Mem\nbers of Congregation.\nThe coagregatioa of the Presbyter\nian church was given a social Wed\nnesday evening in the church parlors\nthe pastor and wife, R=v. and Mrs. E.\nC. Henke, with the officers of the\nchurch formed the reception com\nmittee. A program was given con\nsisting a praise service led by the\nchoirs, followed by selections on the\nVictrola. Then after a pleasant so\ncial hour, refreshments were served,\nthe waitresses being members gof the\nThimble club.\nEH RECEIVED\nNEW MB GIFT\nDavid Evans and Charles Leves\nque failed to climb onto the water\nwagon New Years Day when it rolled\nthrough the streets of Baraboo and\nbeing somewhat disappointed filled\nup with ordinary booze. In order to\nimprove the surroundings Chief of\nPolice Pelton escorted them to the\nbas\'ile and afterwards to the court of\nJustice Andro where they received\nNewiYear gifts of 30 days each. Their\nmoney had all gone for grog.\nMrs. E. M. Pierceson and three\nchildren have returned to their home\nin Cazenovia after a visit with Mrs.\nPierceson\'s mother, Mrs. 8. Corbin.\nBARABOO, V/IS., THURSDAY, JAN. 8, 1914\nOUTI CODES 01\nHI Ml OFYEAI\nFerdinand Rote Summoned\nDuring the Quiet of\nthe Evening.\nBORN IN SWITZERLAND\nWas in the Battle of Gettys\nburg During the\n*Civil War.\nDuring the quiet of the evening on\nthe first day of the year, death entered\nthe home of Ferdinand Rote and in a\nfew moments the veteran was no more.\nAbout 8 o\'clock he brought in a scut\ntle of coal, placed it on the fire, fell or\nlay upon the lounge near by aod in a\nfew minutes was dead. During the\nday he had been unusually happy\nand the messenger of death was en\ntirely unexpected. He had not com\nplained and when the doctor made an\nexamination he came to the conclu\nsion that heart disease was the fatal\nmalady.\nMr. Rote was born in Switzerland\nabout 72 years ago, came to America\nwhen quite young, enlisted in the army\nduring the Civil war when a mere boy,\nfaced death at Gettysburg aod in other\ndecisive battles, moved to Kansas and\nlater to Baraboo. For some time he\nwas with the Chicago & Northwest\nern and later was janitor of the city\nhall and library. During the pros\nperous days of the A. O. U. W . and\nSelect Knights he was an active mem\nber and officer. He was a member of\nthe German Evangelical church. Be\nsides bis wife he leaves the following\nsons and daughters:\nMrs. E. L. Mogler, Baraboo.\nMrs. Emil Engelman, Baraboo. , |\nMrs Otto Johnson, Winona.\nMrs. C. Ciioe, Baraboo.\nConductor William Role, Baraboo.\nCharles Rote, Baraboo.\nMiss Anna Rote, Baraboo.\nThere are several brothers and sisters\nin Pennsylvania.\nTHIRTY-FIFTH ANNIVERSARY\nMr. and Mrs. E. R. Thomas\nare Surprised by Friends\non New Years.\nAt the home of Mr. and Mrs. E. R.\nThomas in Fairfield about fifty neigh\nbors and relatives enjoyed a pleasant\nevening with music, visiting and di\nversions. Thirty-five years ago, Jan\nuary 1,1879, Mr. and Mrs. Thomas\nwere married about half a mile from\ntheir present home. Since then they\nhaved lived in Fairfield and are highly\nesteemed by a large number of friends\nin that vicinity. Supper was served\nand several informal talks given.\nBIG CORPORATION\nSEVERS CONNECTION\nA message from New York says\nthat J. P. Morgan & company had\nsevered connections with some of the\ngreatest corporations in the country\nwith which the firm had long been\nconnected. The firm says the step\nwas taken voluntarily in response to\napparent change in public senti\nment on account of some of the\nproblems and criticisms having to do\nwith the so called interlocking direc\ntoates. Among some of the compan\nies alluded to are the New York Cen\ntral and New Haven railroads.\nSees Folk\nat Capital\nA letter from A. B. Stout, 2936 Bain\nbridge avenue, New York, says he\nrecently visited Mr. and Mrs. Alex\nVVetmorein Washington D. C. Mr.\nWetmore is a son of Dr. Wetmore,\nformerly of North Freedom, and is now\nwith the United States Biological sur\nvey. He recently made a trip to Porto\nRico where he made a survey of the\narian fauna. While in Washington\nDr. Stout also visited Dr. Rodney H.\nTrue and his father, State Stnator\nJohn M. True.\nSNOW—WHAT A DIFFERENCE A FEW YEARS MAKE.\n" A\nUNWISE TO BUY\niCHJJUIO NOW\nProfessor at the University\nDiscusses the High Level\nof Land Values.\nDiscussing the high level of land\nvalues Prof. H. C. T&ylcr of the econo\nmics department of the University of\nWisconsin, declares it unwise for a far\nmer to invest a large share of his sav\nings in the non-interest-bearing spec\nulative margin which exists in the\npresent price of land. Writing for the\nBreeders’ Gazette, he says there are\nmany reasons for the belief that the\nyoung man had better pay rent a\nwhile longer than buy land at present\nprices unless he \'has at least 50 per\ncent of the purchase price in addition\nto the funds required for equipping\nand operating the farm. Prof. Taylor\nsays that he fears that the prices of\nland has been rising too rapidly and\nthat present prices are high speculative\nis rapidly gaining in its hold upon\nthe minds of farmers.\nHUMPTY DUMPTV GOING UP\nProfessor Says the Price of\nEggs Will Reach a\nDollar.\nProfessor W. Theodore Whittman\nof Franklin, Pa., predicts that the\nprice of eggs will go to one dollar a\ndozen within two years. This is some\nthing for biddy to cackle about.\nHorn-Tooting and\nProud Pufferies\nHugh Kelly Discourses on Quick Results which\nSo netirt:es Come\nIn this world of horn-tooting and\nproud puffiness, of foolishness, and\nfraud, we are too prone to suspect\nthat everybody has an “axe to grind.”\nWhen the editor tells about “quick\nresults” from want ads some there\nare who say he is tooting his own\nhorn but listen while I tell you some\nthing: Tae other day I picked up a\nbundle of house furnishing goods in\nthe road and started at once for the\nprint shop. On my way I met Elmer\nJohnston in front of his store and he\nasked me where I got the package. I\ntold him on East street between Reul’s\nplaning mill and the cemetery. He\nsaid he sold it to a lady living in Fair-\n—Artigue in Kansas City Times.\nFORGOT TO REGOBO\nDEED OF_PROPERTY\nCosts Over SIOO to Straigh\nten Matter Out Before\nSale Is Made.\nRecently a Sauk county resident\nlearned that failure to record property\ndeeds is rather costly. The man\nbought a piece of property eleven\nyears ago and failed to have the deed\nrecorded. Lately he had a chance to\nsell the property and when he was\nabout to make the deal he discovered\nthat for certain reasons his title was\nnot perfect, and in order for him to\nmake the sale it would have to be\nmade so. He consulted local abstract\nagents and he was not a little shocked\nwhen he wp.s set back over SIOU for\nhaving the title made perfect.\nDescended of Roger Williams.\nThe last issue of the Prairie du Sac\nNews contains an obituary sketch of\nRev. W. J. Turner who preached in\nBaraboo a number of times and who\nwas formerly the pastor of the Pres\nbyterian churches in Kilbourn and\nPrairie du Sac. While in Baraboo he\nvisited at the home of Mr. and Mrs.\nD. A. Lewis. He was a deßcendent of\nRoger Williams on his father’s ide\nand his mother was of the Mayflower\nFuller family. He was born in New\nYork about 57 years ago, was a mem\nber of the Masonic order and death\nresulted from heart disease of long\nstanding. He died at Iron wood,\nMich., and was buried at Kilbourn.\nMiss Gertrude Sheridan has gone to\nAlgona, lowa, via. Chicago where\nshe will take up her work as librarian.\nfield and would give it to her when\nshe called. Quick enough, not Elmer\nbut the “results”. Again last week\nwhen the dust was strangling the\nNews editor in desperation he prayed\nfor water. Yesterday it snowed a\ncouple of inches and today we are\nhaving our January thaw. No more\ndust in Baraboo to drown with its\nsombre clouds the halo of beauty that\nour new lighting system throws\naround the Gem City. Brother Shud\nlick may spike his street sprinklers\nand turn his horses out to grass. The\neditor prayed even batter than he\nknew.\nHugh Kelly.\nREAD BY EVERYBODY\nmm on\non ns oat\nAll Kin and Connection of\nof Lusby Families Jolli\nfy at Elkington’s Hall.\nMIX ALL EXCEPT DRINKS\nAbout Sixty five 3ather to\nDrink, Eat And Be\nMerry.\nThe lonely wanderer who had rol\neven a fourth cousin with whom to\ndrink the health of the New Year t\nhastened away from the vicinity of\nElkington’s hall yesterday, from\nwhence sounds of merriment Issued\nfrom ten to ten. Over sixty-five mem\nbers of the Lusby families which in\ncluded a large number of Elkingtons,\nJudevines, Dal lings, Roslgs and\nothers, made the first day of 1914, a\nmost memorable one, there. The com\npany began to assemble at 10 o’clock.\nThe womenfolk attached the prepara\ntion of a prodigious dinner composed\nof all the good things ever contained\nin a holiday feast. At one the meal\nwas served and as Me Beth remarked\non a far different occasion “did good\ndigestion wait on appetite and health\non both.’\' The program began after\ndinner, almost everone present doing\ntheir share. John Eikington gave\nthrfe character son?s in his best style,\nMiss Effle Lusby gave a most credi\ntable reading, while others present,\nsang, played and recited, all with ta\nlent. A little playlet, adapted from\nMrs. Wiggin’s “Bird’s Cbils mas\nCarrol” was given by the young folks,\nunder the direction of Miss Maud Ei\nkington in which Mrs. Itu?gles and\nher brood prepared to eat Christmas\ndinner out. The play caused much\namusement and applause. Dancing\ncame next when old and young oiie\nstepped and tangoed, waltzed and\nquadrilled to their heart’s content.\nAfter supper the good time was con\ntinued until ten o’clock, when the\ntired but happy company dispersed.\nSince the last reunion, which took\nplace four years ago no deaths have\noccurred in the family.\nTEAM MIS MM\nHER DUB\nAccident Occurs Near Se\ncond Ward School on\nNew Years Day.\nOn New Years morning a team be\nlonging to Owen Edwards ran from\nthe Baraboo creamery and in the mad\ndash one of the horses fell near the\nSecond ward school and broke its\nneck. The other animal was not ser\niously injured. The team was stand\ning at the creamery and when an\nother team started, the Edwards\nhorses broke away and dashed down\nthe street with the cream wagon. The\nanimal was a valuable one.\nLandmark of\nOVer Century\nIs No More\nA veteran oak, which has been es\ntimated to be almost two hundred\nyears old and which stood on the\nlawn of the Stanley property on Ash\nstreet, was cut down on Wednesday.\nMr. Stanley says that pioneers have\nestimated the age of the tree as 150\nyears and have told of its being\na landmark in the times of the In\ndians. An attempt was made to coue t\nthe “rings” on a cross section of the\ntree, although impossible to do so\nEccurately, over one (hundred were\ncounted.\nLicensed to Marry\nOtto E. Bchafer of Adrian, Minn. t\nand Hilda Minnie Biefert of Cale\ndonia. i', 'batch': 'whi_lethifold_ver01', 'title_normal': 'baraboo weekly news.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn86086068/1914-01-08/ed-1/seq-1.json', 'place': ['Wisconsin--Sauk--Baraboo'], 'page': ''}, {'sequence': 1, 'county': ['Kenosha'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85040310/1914-01-08/ed-1/seq-1/', 'subject': ['Kenosha (Wis.)--Newspapers.', 'Wisconsin--Kenosha.--fast--(OCoLC)fst01203049'], 'city': ['Kenosha'], 'date': '19140108', 'title': 'The Telegraph-courier. [volume]', 'end_year': 1946, 'note': ['Available on microfilm from The State Historical Society of Wisconsin.', 'Editor: M. Frank, L.A. Cass, 1888-Aug. 7, 1890.--L.A. Cass, Aug. 14, 1890-Aug. 13, 1891.--F.H. Hall, Aug. 20, 1891-Oct. 1, 1896.--G.P. Hewitt, Nov. 4, 1897-Aug. 29, 1901.--S.S. Simmons, Sept. 5, 1901-<1915>.--W.T. Marlatt, <1915>-Apr. 16, 1925.', 'Publisher varies.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Kenosha, Wis.', 'start_year': 1888, 'edition_label': '', 'publisher': '[L.A. Cass]', 'language': ['English'], 'alt_title': [], 'lccn': 'sn85040310', 'country': 'Wisconsin', 'ocr_eng': 'Established\nIn\n1839\nVOLUME LXXV.\nROSTER OF BRAVE\nLists Are Compiled of Men\nWho Gave Service to Na\ntion During Civil War.\nPLAN A LASTING MEMORIAL\nT. H. Lyman Submits Lists For Var\nious Towns in the County and Asks\nPeople to Aid him in Securing Names\nof Any Who May Have Been Omitted\nThis week is presented the veteran\nlist for the township of Paris. So far\nno names of those who enlisted away\nfrom home have been sent in. This is\nimportant. Please to give the matter\nattention The request to send in war\nrelies has been responded to in one in\nstance. Comrade Gilbert H. Gulick has\nsent the officers’ sword of the first\nlieutenant of his company, Elliott M.\nScribner, a Kenosha school boy, who\nformerly lived at the corner of Park\navenue and English Court. Mrs.\nDwight Burgess has sent very interest\ning letters from the front written by\nJames Weed of the Hirst Wisconsin\nCavalry. They have been typewritten,\nto be read by future generations and\nthe originals have been returned to\ntheir owner. A hint to the wise should\nbring other contributions to the ar\nchives and collection of relics. Send\nwar time photographs carefully labeled.\nAddress F. U. Lyman, 432 Park Ave.\nParis.\nHorace 0, Blackman Ist. Cav. F.\nAndrew J. Hobbs Ist. Cav. I.\nJohn C. Coles Ist. Cav. L.\nEdwin Cooley Ist. Cav. M.\nCassius M. Cooley Ist. Cav. M.\nJames If. Delong Ist. Cav. M.\nJohn Henderson Ist. Cav. M.\n1\' .-ter M<; ers Ist. Cav. M. I\nChester C. Shepherd Ist. Cav. M.\nEdwin R. Shepherd Ist. Cav. M.\nHomer Marsh Ist. Cav. M.\nLudwig Fuerst 2nd. Cav. 11.\nJacob Lang 2nd. Cav. H.\nPeter Wagenor ’....2nd. Cav. H.\nWm. R. Guilfoyle 2nd. Cav. I.\nJohn W. Langford. .Ist. Rg. Hy. At. A.\nJohn Devos Ist. Rg. Hy. At, H.\n"Michael Kias Ist. Rg. Hy. At. H.\nJohn Murgatroyd.. Ist. Rg. Hy. At. H.\nEllis Seed Ist Rg. Hy. At. H.\nBenjamin Smith .Ist. Rg. Hy. At. H.\nJames Smith Ist. Rg. H. At. H.\n( has. Sutherland.. Ist. Rg. Hy. At. H.\n(>li\\ r L. Watkins. . Ist. Rg. H. At. H.\nJohn E. Pierce.... Ist. Rg. Hy. At. K.\nB. Wagner Ist. Rg. Hy. At. D.\nJahn Gratz Ist. Inf. C., 3 mos.\nPi er Groh Ist. Inf. G., 3 mos.\nClark M. Stover.... Ist. Inf. G., 3 mos.\nFrederick Hermann. .Ist. Inf. E., 3 yrs.\nSeth I>. Myrick, Jr.,. .Ist. Inf. E., 3 yrs.\nAndrew Selles Ist. Inf. G., 3 yrs.\nph Yonnock 6th. Regt. B.\nChristian Hie 6th. Regt. K.\nY m. Beazley 7th. Regt. C.\nGeo. W. Bcaz’ey 7th. Regt. C.\nLewis A. Williams 7th. Regt. C.\nThomas Carter 10th. Regt. I.\nEdwin Piddington....’.. ,10th Regt. I.\nJohn Baker 11th. Regt. H.\nMelanethon Rohanan. .. ,11th Regt. H.\n( has. W. Smit: 11th. Regt. H.\nThomas W. Kitelinger. .12th. Regt. A.\nGeo. Weiderhold .•.12th. Regt. H.\nGoo. N. Green 12th. Regt. E.\nFrank Keiser 17th. Regt. K.\nloseph Toner 17th. Regt. B.\nIsom Taylor 20th. Regt. F.\nFrederick Herman 21st. Regt. C.\nJohn John’on 21st. Regt. H.\nMathias Hansgen 26th. Regt. C.\nPeter Kreuscher 26th. Regt. C.\nNicholas Paulus 26th. Regt. C.\nFranklin Tarry 26th. Regt. C.\nPeter Weber 26th. Regt. C.\nGeo. N. Green 29th. Regt. H.\nJoseph F. Linsley 33rd. Regt. H.\nGeo. Hale 33rd. Regt. H.\nJohn Baker 33rd. Regt. H.\nWarren E. Baker 33rd. Regt. H.\nMelanethon Bohanan... ,33rd. Regt. H.\nHezekiah Case 33rd. Regt. H.\nWm. H. Coburn 33rd. Regt. H.\nStephen W. Collett 33rd. Regt. H.\nAlexander Gray 33rd. Regt. H.\nJohn Gray 33rd. Regt. H.\nAsa Harris 33rd. Regt. H.\nNorman Johnson 33ra. Regt. H.\nHenry Kastman 33rd. Regt. H.\nNicholas Klass 33rd. Regt. H.\nWm. Lieber 33rd. Regt. H.\nChas. P. Mathews 33rd. Regt. H.\nWm. Orcutt 33rd. Regt. 11.\nBenj. W. Palmer. ..... .33rd. Regt. JI.\nJohn Reburn 33rd. Regt. H.\nGeo. Reynolds 33rd. Regt. H.\nChas. W. Smith 33rd. Regt. H.\nFrederick B. Taylor 33rd. Regt. H.\nJacob Windish 33rd. Regt. H.\nHarvey Wood 33rd. Regt. H.\n( lark M. Stover 33rd. Regt. I.\nMyron A. Baker Ist. Regt. inf. G.\nFrancis L. Tinkham 33rd. Inf. H.\nJehu Brown 34th. Inf. D.\nJohn Dunkirk , 34th. Inf. D.\n(Thi\'\nJohn Engbard 34th. Inf. D.\nJohn Frohlich 34th. Inf. D.\nGeo. Gill 34th. Inf. D.\nGilbert H. Gulick 34th. Inf. D.\nJohn Wyler 34th. Inf. D.\nGeo. W. Bailey 35th. Inf. E.\nThomas C. Carter.. 35th Inf. E.\nJoseph F. Patterson 35th. Inf. E.\nJohn W. Bridge 35th Inf. G.\nAnthony Haney.... 36th. Inf. B.\nGeo. Hauser 36th. Inf. B.\nGeo. Hoadley .....36th Inf. B.\nAndrew E. Perkins...... ,36th. 1nf.,8.\nFranklin N. Brasher 37th. Inf. A.\n"Wm. H. Cooper 43rd. Inf. B.\nWm. L. Kline 43rd. Inf. B.\nPeter B. Lippert 4 3rd. Inf. B.\nRichard N. Taylor 43rd. Inf. B.\nSami Terrell 43rd. Inf. B.\nLewis A. Williams 43rd. Inf. B.\nLevi Duckett 43rd. Inf. D.\nAlex McPherson 43rd. Inf. D.\nHenry Rister 43rd. Inf. D.\nMaxim Smith 43rd. Inf. D.\nMichael L. V. ill is 43rd. Inf. D.\nGeo. W. Myrick 43rd. Inf. G.\nFrancis W. Newbury 43rd. Inf. G.\nPatrick Nolan 43rd, Inf. G.\nPeter Devos 43rd. Inf. G.\nJohn A. Harris 43rd. Inf. G.\nJesse M. Hughes 43rd. Inf. G.\nLawrence (Jasper..., 44th. Inf. B.\nChas. E. Hudson 44th. Inf. G.\nDavid B. Hudson 44th. Inf. G.\nPatrick Cain 46th. Inf. F.\nJames Grady 46th. Inf. F.\nWm. Brunton 47th. Inf. F.\nMichael Donnelly 48th. Inf. C.\nFree W. Downing 48th. Inf. C.\nIra J. Mosher 48th Inf. C.\nFrederick Pellman 48th. Inf. C.\nThomas H. Wood 48th. Inf. E.\nBenj. F. Bailey 50th Regt. E.\nEzra M. Bus well 39th. Inf. C.\nWm. Emmett 39th. Inf. Ct\nM. M. Hale 39th. Inf. C.\nJohn Jones 39th. Inf. C.\nEdward Tremlett 39th. Inf. C.\nHenry Downey 39th. Inf. C.\nLavett Fredenburg 22nd. Inf. A.\nWATER MUCH BETTER\nTests of City Water Show\nValue of Hypochlorite\nTreatment of Water.\nNO DANGEROUS GERMS FOUND\nThe following are the results of\nanalyses of two sets of samples of city\nwater, the first collected Ju’y 31st,\n1913, about two months after the be\nginning of the hypochlorite treatment,\nand while there still remained a large\namount of untreated water in the\ncity mains, and the second collected\nDecember 31st, 1913, after the hydrants\nhad been flushed a number of times and\nthe hypochlorite had penetrated to all\nparts of the system:\nJuly 31, 1913.\nSource of Sample. Bacteria.\n772 Milwaukee Ave 4990\n381 Division St 1150\n300 N. Pleasant St 3455\n169 Howland Ave 6910\nBain School (unflltered water) ... .1410\n1067 Prairie Ave 1150\n718 Newell St 6655\n788 Fremont Ave 155\n818 Ashland Ave 1920\nGeo. Pirsch\'s residence Park Row\n(dead end) 3070\nPumping Station 50\nCity Hall Laboratory 1150\nDecember 31, 1913.\nGeo. Pirsch\'s residence Park Row\n(dead end) 12\n788 Fremont Ave 10\nBain school (unfl/ered water).... 6\n260 Bronson St 12\n619 Middle. St 14\nPumping Station 6\nGity Hall Laboratory 4\nB. Coli was absent in every sample\nin each set of samples.\nOFFERS CITY A CHRISTMAS TREE.\nH. B. Rooney, of Chicago, Would Ship\nOne to Kenosha From North Woods\nHenry B. Rooney of Chicago, who has\ninterested himself in the municipal\nChristmas tree plans has sent a letter\nto Mayor Head offering to donate to\nthe city of Kenosha a great pine tree\nto be planted somewhere in the city\nand to be used as a perpetual Christmas\ntree. Rooney furnished the municipal\ntree to Chicago this year. The proposi\ntion is that he will ship the tree to Ke‘-\nnosha with the soil frozen about the\nroots and he holds that if it is planted\nunder such conditions that the transfer\nof it from the northern forests to Ke\nnosha will in no way retard its growth.\nRooney plans to ship trees to seventy\ncities in Illinois, Indiana and Wiscon\nsin.\nMayor Head declared today that he\nwas favorable to the proposition and he\nsuggested that the tree be secured and\nset up in the Market Square Park at\nthe intersection of Church street\nSTARTS ON 810 TASK\nMayor Head Busy Investi\ngating Petitions Asking\nFor Commission Form.\nSMALL MARGIN TO WORK ON\nI\nMayor Declares That He Wil. 1 Rush the\nWork of Investigation and Is»,.t For\nmal Proclamation Just as Soon as Ha\nIs Satisfied With the Petitions.\nMayor Dan 0. Head has started the\narduous task of checking up the names\non the petitions demanding a referen\ndum on the commission form of govern\nment. At the last general election in\nthe city there were 4,010 votes cast for\nall the candidates for mayor and in or\nder to have the question of the com\nmission form submitted to the people\nthe petitions now in the hands of the\nmayor must contain the names of 1,010\nqualified electors of tne city of Keno\nsha. The petitions contain exactly\n1,027 names so that the margin is but\nseventeen and it is probably that this\nwill be reducted by the elimination of\nduplicate signatures. Mayor Head will\nprobably he abb to complete the ex\namination of the names on the petition\nwithin two weeks and if he is satisfied\nthat the number is sufficient he will\nlose no time in issuing his proclama\ntion. Under the law the election must\nbe held within sixty days after the\npresentation of the petition and the\nproclamation of the mayor must be is\nsued within thirty days in order to\ngive time for the preliminaries to the\nprimary.\nThe law provides that should the com\nmission form be adopted by the refer\nendum vote that the candidates for\nmayor and for councilmen must be\nnominated at a regular primary elec\ntion. This primary is to be held under\nthe law which has governed city pri\nmaries in the past. The candidates\nmust silo affidavits of their candidacy\nat least twenty days before the date\nset for the primary and the affidavits\nmust be accompanied by a petition\nsigned by at least twenty-five electors.\nAll petitions must be circulated at\nlarge and under the commission form\nward lines will be entirely w : ped out.\nSome of the opponents to the com\nmission form lave insisted already that\nthe petition is insufficient, they holding\nthat the law demands that the petition\nbe signed by one-fourth of the number\nof electors who voted at the last gen\neral election. T\' iy hold that many\nvotes were cast blank for the office of\nmayor and that the total number of\nall the votes cast was largely in\nexcess of the number received by the\nthree actual candidates. The reading\nof the law appears to be plain and it\nstates that the petitions shall be sign\ned by twenty-five per cent of the votes\ncast for all candidates for mayor. No\nmention of the blank votes is made in\nthe law. This matter has been referred\nto the «city attorney for a decision.\nThe clans have already begun to line\nup for and against the proposed change\nin the form of government of the city.\nMany of the workingmen of the city\nseem to be committed to the new form\nand it has a large support among the\nheavier tax payers of the city. The\nplan is opposed by the men who have\nbeen active in politics as these men\n, seem to prefer the old form.\n“It will take a long while to get\nover these petitions,” said Mayor Head\nin discussing the matter. “There are\na lot of names on them that I have\nnever heard of and I shall be forced\nto refer to poll lists i 1 order to satis\nfy myself that the petitions contain the\nrequisite number of electors. Just as\nsoon as I am convinced that this is true\nI will make the proclamation provided\nby the state law.”\nONE MAN RELEASED.\nJulius Elbi Arrested on Charge of Aid\ning Fugitive Released on Tuesday.\nJulius Elbi, one of the Italians ar\nrested on Monday night on charges of\nhaving aided in the escape of Peter\nCovalla, who was charged with attempt\ned murder, was released on Tuesday\nnight at the order of District Attorney\nAL. Drury. The district attorney held\n; that the evidence was not sufficient to\nhold Elbi for a preliminary hearing in\nthe municipal court. This morning a\nformal complaint was issued for the ar\nrest of James Jendi, who is charged\nwith having furnished the money to\nCovalla to go to Italy. The hearing\nwill be taken up in the municipal court\n■ late this afternoon or Thursday morn\npng. In the meantime active steps are\nbeing taken to locate Covalla in South\nAmerica and it is possible that ha wjj]\nJic brought back for trial.\nKENOSHA, WISCONSIN. JANUARY 8, 1914.\nSHOWS BIG INCREASE\nPostal Receipts of Kenosha\nPostoffice Jump $15,000 in\nthe Year of 1913.\nANNUAL HEPOfIT ISSUED TODAY\nPostmaster and Assistants Are Hopeful\nThat Kenosha Wid Supplant Green\nBay as Sixth in List of Postoffices in\nWisconsin in the Annual Report.\nAssistant Postmaster Michael F.\nZeus today .issued his annual report of\nthe receipts of the Kenosha postoffi.ee\nin the sale of stamps and this report\nshows that the year 1913 brought a re\ncord increase in the business of the\nKenosha postoffice. So great is the in\ncrease that the officials of the local of\nfice are of the opinion and entertain\nhigh hopes that Kenosha will supplant\nGreen Bay as the sixth office in the\nstate in the matter of stamp sales.\nKenosha jumped over Sheboygan in the\nreport made by Postmaster Welch of\nEau Claire, a year ago, and it is expect\ned that the statistics of the state ofiices\nto be issued some time this month will\ngive Kenosha another boost. This will\nmake it sixth with Oshkosh fifth\nand Oshkosh is so far ahead of Keno\nsha that it is feared that it will be\nseveral years before the Kenosha office\ntakes an upward step in the list of the\noffices of the state.\nThe increase in the postal receipts\nof the local office over the receipts in\n1912 is more than fifteen thousand dol\nlars, the largest increase ever showm in\nan annual report. The business of the\nparcel post system is reflected in this\nyear\'s business, but at that the busi\nness of the office for December is only\n$450 greater than the bigness of the\npreceding year. • I!LL-the fir#\nten thousand dollar month in the sale\nof stamps in the Kenosha office, the re\nceipts for the month of May passing\nthe ten thousand mark and being more\nthan $3,000 greater than the receipts in\nthe same month last year.\nThe report sent out this year com\npares the receipts of the office over a\nterm of eleven years. It shows that in\n1902 the receipts of the office (postal)\nwere $22,627.88, considerably less than\none-fourth of the receipts during the\nyear just closed. In 1907 the receipts\nhad jumped to $48,996.67; in 1910 they\nreached $63,855.69; in 1911, $75,361.42;\nin 1912, $83,503.38, and in 1913,\n$98,815.86.\nIt will be noted that the increase in\nthe sales for the last year was within\nseven thousand dollars of the increase\nin the five years from 1902 to 1907.\nThe monthly sales of stamps for 1913,\nas compared with 1912, are as follows:\n1912. 1913.\nJanuary $ 7,338.85 $ 8.591.51\nFebruary 5,518.16 7,244.83\nMarch 8,057.43 9,143.30\nApril 6,155.74 9,208,27\nMay 7,026.72 10,189.08\nJune 5,715.59 7,575.21\nJuly 6,812.44 7,768.93\nAugust 7,074.47 6,564.30\nSeptember 6,443.15 8,272.42\nOctober 7,168.76 7,339.26\nNovember 6,439.95 7,016.36\nDecember 9,455.12 9,905.39\nTotals $83,503.38 $98,815.86\nMUST CARE FOR HYDRANTS.\nWater Commission Would Put Fire Pro\ntection in Charge of Department.\nThe water commission at its regular\nsession on Tuesday night took steps to\nput all work in connection with the\nmaintenance of the fire hydrants under\nthe charge of the chief of the fire de\npartment. In order to make this pos\nsible the commission ds planning to in\nstall special taps, which may be used\nby patrons having contracts for street\nsprinkling and after these taps are put\nin the street sprinklers will not be per\nmitted to take water from the fire\nhydrants under any consideration. The\nmembers of the commission spent more,\nthan an hour discussing filtration plans\nbut nothing of a definite nature was\ndone. The commission expects to have\nits report on the proposed filtration\nplant ready for submission to the coun\ncil either at the next regular meet\ning or at the first meeting of the coun\ncil in February.\nSTORE CLOSED.\nOur store will be closed all day Fri\nday to mark down the entire stock for\nour big clearing sale which opens Sat\nurday, 9 a. m.\njßdwadv S. & J. Gottlieb Co.\nA number of Kenosha people will go\nto Johnsburg, near Fond <lu Lar, on\nThursday to attend the furu»ral of the\nlate Mrs. Joseph Lind’\nHAi- J MERRY TIME\nWaukegan Knights of Co\nlumbus Members Conduct\nBig Meeting in Kenosha\nBIDINGER LEADS INVADERS\nPostmaster Daniel Grady of Waukegan\nDoes Stunts for the Amusement of\nKenosha Members—Covers For 150\nat Banquet Which Followed Meeting.\nWaukegan and Kenosha members of\nthe Knights of Columbus made merry\nin Kenosha on Tuesday night when\nclose to fifty members of the Waukegan\nCouncil headed by Mayor J. F. Bidin\nger and Postmaster Daniel Grady came\nto Kenosha to be the guests of the\nKenosha Council. They came on a spe\ncial car and they came prepared to\ntake charge of all the proceedings of\nthe evening and when they marched in\nto the council hall the officers of the\nKenosha Council yielded their chairs\nto the visitors and all that the Kenosha\nmembers had to do was to spread the\nglad hand and accept the splendid en\ntertainment provided by the visiting\nknights.\nThe Waukegan team had charge of\nthe regular meeting of tht, council and\nafter the work was completefl Mayor\nBidinger was introduced as master of\nceremonies and for an hour the visit\ning knights put on an entertainment\nthat made the Kenosha members of the\norder sit up and take notice.\nThere were musical numbers and\nvaudeville stunts furnished by the vis\nitors and there were addresses breach\ning fraternal greetings by the Wauke\ngan mayor. Postmaster Grady, Louis\nDurkin, John Broderick. John Reardon\nand James Gallagher. Every one of the\nsp<nkcrs had to say. The\nWaukegan visitors urged a closer rela\ntionship between the members of the\norder in Kenosha and Waukegan, and\nspoke of the common interest of all in\nthe advancement of the Work of the\nKnights of Columbus. There were\ntoasts to the order and to its work in\ntwo of the great states in the union.\nAfter the Waukegan men had sang\nand talked themselves tired the Keno\nsha members showed that they were not\nlacking in hospitality and led the way\nto rhe banquet hall where a dinner was\nserved at which covers were laid for\nmore than 150. After dinner was over\nthere was more talking and more good\nfellowship. The members of the Ke\nnosha Council accepted an invitation to\nhave charge of the next meeting of the\nWaukegan Council, and an effort will\nbe made to have at least a hundred\nKenosha knights visit Waukegan on\nthat occasion.\nThis promises to be a banner year\nfor the Kenosha Council and already\nmore than forty applications have been\nreceived. It is planned to arrange for\nthe initiation of a class of more than\n60 members in about two months and\nthis class initiation will be made the\noccasion of one of the biggest gather\nings ever held by the Kenosha Council.\nBIG SUIT IS SETTLED.\nSIO,OOO Suit Brought by Angelo Copen\nAgainst Brass Co. Dismissed Today.\nIn the municipal cpurt this morning\nJudge Randall handed down a formal\norder dismissing the suit brought by\nAngelo Copen against the Chicago Brass\ncompany in which the plaintiff had de\nmanded damages to the amount of $lO,-\n000. The order for dismissal of the sun\nwas based on a stipulation of the at\ntorneys in the case which indicated\nthat the case had been settled out of\ncourt, but no facts in regard to the na\nture of the settlement were made pub\nlic. The attorneys for the defendant\ncompany had filed a demurrer demand\ning the dismissal of the action and the\nmotion was under consideration by the\ncourt when the notice of settlement\nwas received. Copen lost an eye in an\naccident at the plant of the company\nsome time ago.\nOUTSIDERS SEEKING JOBS.\nWorkmen Coming From Other Cities to\nTake Advantage of Prosperity.\nSpeaking in regard to the number of\nmen out of employment in the city, tba \\\nmanager of the Manufacturers’ Em\nployment bureau makes the statement\nthat out-of-town applicants are coming\nin much faster than they can be placed.\nDuring the first two days of the present\nweek the bureau received applications;\nfrom forty-two machinists, thirty\'\nwoodworkers, sixteen painters, besides\nnumerous other tradesmen. AH this\ngoes to show that the crowded condi- ■\ntion.of the labor market is due more’\nto the influx of outside mechanics than i\nL to idle people al home. t\nSEEK REBATE RELEASES.\nCity Attorney Draws Formal Release\nfor Market Square Paving Rebates.\nThe city officials are planning to ef\nfect an early settlement of the question\nof the payment of rebates for paving\non the south side of Market Square by\nthe, railway company and City Attorney\nSlater is bow drawing releases to be\nsigned by each of the property owners.\nThe city has agreed to pay to the prop\nerty owners one-half of the amount re\nbated by the company. It is claimed\nthat every property owner on the south\nside of the square with a single excep\ntion has agreed to sign the release.\nThe exception will probably be taken\ncare,of by the railway company. Mayor\nHead is anxious to have these releases\nsigned and in the hands of the company\nbefore the next meeting of the council\nin order that a final settlement of all\nthe troubles between the city and the\nrailway company may be made at that\ntime. The company has agreed to pay\nthe rebates under this plan.\nMAKES CERTIFICATE SPECIFIC.\nDr. Bernstein Writes in Eugenics Cer\ntificate that Test was Not Used.\nDr. M. A. Bernstein is taking no\nchance of laying himself liable to prose\ncution under the Wisconsin marriage\nlaws and on Tuesday afternoon when\nhe issued a certificate on which Sam\nStrumau secured a license to be mar\nried to Miss Mary Honda, in the cer\ntificate Dr. Bernstein filled out all of\nthe blank spaces but at the bottom of\nthe certificate he wrote: “Wasserman\ntest not need in making this examina\ntion.” Physicians of the city are\nkeeping a close watch on developments\nin connection with the law but it is\nunderstood that with an opinion of the\nattorney general relieving them from\nany serious responsibility that all of\nthem will issue the certificates when\nthey are applied to for them.\nSENDS A WARNING\nFederal Naturalization Bu\nreau Denies Authority of\nBook Sold te Alim,?.\nNO VIEWS OF HEAD OFFICIALS\nB. M. DeDeimar, clerk of the circuit\ncourt of Kenosha county and in charge\nof all naturalization work in this\ncounty, has received the following\nwarning from the department at Wash\nington. It is said that the book re\nferred to in the letter has had a wide\ncirculation io this city and county.\nTo Chief Naturalization Examiners.\nExaminers, Officers of the Naturali\nzation Service, Clerks of Courts ex\nercising jurisdiction in naturalization\nmatters, and others concerned.\nIt has been brought to the attention\nof the department that a publication\nentitled “Syllabus-Digest of Decisions\nUnder the Law of Naturalization of\nthe United States,” purporting to be\nthe work of Jerome C. Shear, chief\nnaturalization examiner at Philadelphia,\nPennsylvania, has been issued and is\nbeing advertised for sale by circular\nletters.\nIn order that the public may not*as\nsume, from the published position and\ntitle of the author, that the contents\nof said publication are, in whole or in\npart, an authoritative expression of the\nofficial administrative view, the depart\nment feels it to be incumbent upon it\nto disavow all responsibility for the\ncontents of said publication. The de\npartment advises all whom it may con\ncern that it alone has authority to de\ntermine whether an official publication\nshould be issued in relation to any law\nover which it has administrative super\nvision, or what, if such publicaton\nshould be issued, its contents should be.\nAll officers of the naturalization\nservice are directed to give this circu\nlar such publicity as may be necessary\nto counteract any misapprehension as\nto the character of Examiner Shear\'s\npublication.\nW. B. Wilson, Secy.\nAutomobile licenses for 1914 are uow\ndue but few of the machines pow being\ndriven on the streets are carrying the\nnew figures. After January Its any\nautomobile owner driving without the\nnew figures. After January Ist any\nbut the police will exercise considerable\ndiscretion in the matter of enforcing\nthis law for a week or two yet ami any\ndriver who can furnish satisfactory\nevidence that he has made application\nfor his new license is not likely , to be\npenalized for driving without it.\nGeorge Ela of Rochester for many\nyears a leader among the members of\nthe county board of Racine county, has\nresigned his position. He was chair\njnan of tie board for a number of\nOlde& Paper\nIn\nThe Northwest\nNUMBER 37\nASKS MORE FIREMEN\nChief Isermann Asks Coun\ncil to Add Six Men to th®\nFire Fighting Force.\nNEW STATION FOR WEST SIDE\nChief in Eighth Annual Report Show!\nThat There Were 99 Fires in Past\nYear With a Total Loss of $9,000.00\nFully Insured—Equipment Valuable,\nSix new firemen and a new engine\nhouse on the west end of Grand avenue\n! are the principal recommendations made\n; by Chief of the Fire Department Iser\n. maun in his eighth annual report of the\n\' department which has been filed with\n1 the city clerk and which is now being\n■ considered by the committee on firo\n\'department of the (ommon council.\nIn his report the chief urges very\nf sbongly the extension of the work of\n| the department along all lines. He de\nclares that to get the greatest ef\n| ficiency from the splendid apparatus\ni provided by the city that more men\n■ are necessary. He seeks to have added\nj men at each of the stations and men\nlto take care of a new station to ba\nbuilt next summer if possible. In addi\ntion to this the chief declares that the\nrebuilding of the fire alarm system is<\n! now a necessity. He holds that during\nI the year alarms have failed to come ini\non account of the condition of the ap\ni paratus at the city hall. His sugges\ntion is that the system be divided into\nsix circuits in order to make it easier\nto locate the breaks. At the present\ntime there are but two circuits. He sug\ngests the installation of a six circuit*\ni repeater and the exchanging nf the\nI nresent two circuit switch board for anj\nj C\'ght circtl L . board. JSit\'h changes\n•Auld no s <J; ,v f or |]j e\ndiate demands of the department, but\'\nalso for the future. He asks that the\ncity provine at once for the installation!\nof eight new fire alarm boxes. The’\ncouncil has already taken up the ques\ntion of the erection of a new station 1\non West Grand avenue and the mem\nbers of the council are divided as to\nthe necessity of such an expenditure at\nthis time but it is not improbable that*\nthe new house will be ordered before 1\nthe end of the present year. No ap\n\' propriation has leen made for the erec-\nI tion of the horse in the annual budget\ni of the citv. tut this is not a bar to the\nbuilding of the house as there was no\nappropriation made for the new build*\ning in the third ward recently com\ni pleted.\nThe annual report of the chief con\ntains a lot of interesting statistics. It\nshows that the value of apparatus own\ned by the city for fire purposes is well\nover $25,000 and that Kenosha has the\nonly complete motor fire service to be\nfound in the state of Wisconsin. The\nreal estate and buildings owned by the\ncity and used for the fire department\nare value at $50,000. The report shows\nthat during the year the department was\ncalled out ninety-nine times and of this\nnumber of calls but twenty were box\ncalls. The total loss on buildings and\nstocks during the year amounted to\n$8,820 and this loss was covered by an.\ninsurance of many times its amount.\nThe majority of the fires attended dur\ning the year were small blazes in which\nthe loss was less than SSO and the larg\nest loss reported was $2,000. This loss’\nwas entirely covered by insurance.\nThe financial report is interesting.\nIt shows thai the cost of maintenance\nof the department for the year was\n$29,946.47. Of this amount $14,712.52\nwas paid out in salaries to the members\nof the department and $7,518.65 was\nexpended for real estate and buildings.\nThe expenses for apparatus during the\nfiscal year amounted to $4,861.74, this\nbeing the amount paid for new appara\ntus after deducting the amounts re\nalized by the city by sale of old;\napparatus.\nIn his report the chief pays high tri\nbute to the work of the men under him,\'\ndeclaring that they have at all times\nbeen faithful to their duties and that\nthey have rendered most efficient’\nservice to the city.\nThe recommendations of the chief\nwill be taken up at an early meeting\nof the council.\nThe jury which heard the ei iilenee ia\nthe suit of John Stocker vs. Adam Win\ntieski and others, reached a verdict late\non Tuesday afternoon finding for the\nplaintiff and fixing the amount he should\nrecover at $65.25.\nThe Kenosha and Racinr high school\nbasketball teams will clash in the first\ngame of the season in Racine on Friday\nevening. It is expected that a big\ncrowd of the students will go up\n.see the', 'batch': 'whi_fanny_ver01', 'title_normal': 'telegraph-courier.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85040310/1914-01-08/ed-1/seq-1.json', 'place': ['Wisconsin--Kenosha--Kenosha'], 'page': ''}, {'sequence': 1, 'county': ['La Crosse'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn86086186/1914-01-09/ed-1/seq-1/', 'subject': ['La Crosse (Wis.)--Newspapers.', 'Wisconsin--La Crosse.--fast--(OCoLC)fst01207161'], 'city': ['La Crosse'], 'date': '19140109', 'title': 'Nord stern. [volume]', 'end_year': 1921, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Available on microfilm from The State Historical Society of Wisconsin.', 'Description based on: Jahrg. 1, no. 2 (6 Dec. 1856).', 'In German with some columns in English.', 'Supplements accompany some issues.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'La Crosse, Wis.', 'start_year': 1856, 'edition_label': '', 'ocr_ger': 'Der „Nordstern" ist\ndie einzige repräsentative\ndeutsche Zeitung von ta\nL rosse\n57. Jahrgang.\nSttliscii licMilst.\nBerufung von 24 Dvnamitern ab\ngewiesen; 6 erhallen neuen\nProzeß.\nChicago. Jll.. 7- Jan.\nTie Strafen von vieruiidzwanzig der\nin Indianapolis wegen Verschwörung\nzum ungesetzliche Transport von Ex\nplosivstoffen veruriheiltcn dreißig llnion\nbeannen wurden am Dienstag vom\nBundes > Kreisavoellativnsgericht in\nChicago, Jll.. aufrecht erhallen. Sechs\noer Berurihestlen wurde ein neuer Pro\nzeß willigt. Dieselben sind: O. A.\nTveitnivre, der bekannte Arbeiterführer\nau San Francisco. W. MacCain von\nKansas City. I. E- Ray von Peoria,\nR. H. Houtlhan von Ch\'cago, F. Sher\nman von Indianapolis, W. Bernhard\nvon Cincinnati. Da- Urtheil wurde\nam 28. December 1912 gefällt.\nTie Anwälte der vicrundzwcinzig\nTynamitverschwörer werden binnen\ndreißig Tage im Appellationsgerichl\neine Wiederaufnahme des Verfahren\naus G. und neuen BeweiSmcnerialS be\nantragen. Wenn dieser Antrag abge\nlehnt wird, bleibt der Vertheidigung\nnur noch übrig, im Oberbundesgerichl\nein rvrit c>L cerftorsn zu beantragen.\nEs heißt, daß die Bundesregierung\nbis zur entgüttigen Entscheidung des\nFalles nicht darauf bestehen wird, daß\ndie verurlhestten Arbenersührer, welche\nsich gegen Bürgschaft aus freiem Fuß\nbefinden, in s Gefängniß eingeliefert\nwerden. Tie heutige Entscheidung\nwurde von den Bunde Kreisrichtern\nKohtsaal, Baker und Seaman abgege\nben.\nPräsident Ryans Strafe\nbleibt.\nDie Strafe von sieben Jahren Zucht\nhaus, die gegen F. M. Ryan von Chi\ncago. den Präsiden des internatio\nnalen EisenarbeirerverbandcS, verfügt\nwurde, bleibt bestehen. Im Ganzen\nwurden seiner Zeit im BundesdistrikiS-\nGencht in Indianapolis in dem großen\nSensation-prozeß, dessen Anfänge aus\ndie Verbrechen der McNamaraS, haupt\nsächlich die Sprengung de Times-Ge\nbäude in Los Angeles im Jahre 1010,\nwobei einundzwanzig Arbeiter um\'S\nLeben kamen, zurückgehen, zweiunddrei\nßig Arbeiterführer zu Zuchthausstrafen\nverurlheill; zwei haben keine Berufung\neingereicht, von den übrigen dreißig\nwurden im BerusungSversahren vier\nundzwanttg gegen je zehntausend Dol\nlars für jedes Jahr ihrer Strafe zeit\nweilig auf freien Fuß gesetzt; die übri\ngen sechs befinden sich noch im Bundes\nzuchihauS i Leavenworth, Kas.\nBedeutende Legate.\nBaltimore, Md., 7. Jan.\nVon den Cottimbusrittern der Ver.\nStaaten wurde am DienSiag Cardrnal-\nErzbtschof Gibbons in Baltimore ein\nCyeck für eine halbe Million Dollars\nübeigeven für die katholische Uiilversität\nin Washington.\nI. A. Flaherly von Philadelphia,\nSupreine Knighi des Ordens, über\nreichte die Gabe im erzbischöflichen\nPalais im Beisein Monsignore T. I.\nShahans, des Präsidenten der katho\nlischen Universität in Washington, und\nverschiedener Mitglieder der Fakultät\nDie Summe, die von den Cotumbus\nrillern im Lauf der letzten vier Jahre\ngesammlt wurde, ist dazu bestimmt,\nfünfzig Stipendien für Studircnde an\nder Universität zu schaffen.\nEin kürzlich in Baltimore verstor\nbenes Fräulein Eliza Andrews hat in\neinem am Dienstag im Nachlaßgerichl\ndort eröffneten Testament Cardinal\nGibbon mit einem Legat von gegen\ndreibundeniausend Dollars bedacht;\nder Cardinal hat erklärt, er werde das\nLegal für Umerrichtszwecke verwenden.\nEinstellung verfügt.\nChicago, Jll., 8. Jan.\nDer Unterricht über GeschlechlS-Hy\ngiene in den hiesigen öffentlichen Scku\nken wurde am Mittwoch von der E\nzrehungsbehörde mit 13 gegen 8 Stim\nmen abgeichasft. Dieses Unterrichtsfach\nwurde aus den Wunsch der Superinieil\ndenlin, Ella F. Uoung, im letzten Schul\njahr eingeführt. Frau Poung -.hei\nlig:e sich an der heutigen Diskussion\nnicht. Tie Resolutton wurde \'in er\nsten Votum angenommen; gegen die\nAnnahme stimmten u. A.Tean Jumner\nvon der St. Peter und Paul Kalbe\ndrale. Frau Gerlrude Howe Britton\nund I. Clemenson.\nkb-O\' Bräune- und Hustenmcdizin.\nDie Bräune ist eine gefährliche Krank\nheil; dieselbe greiit die Kinder so plötz\nlich an, welche hierdurch einen Stickungs\nansall haben können, wenn sie nicht so\ngleich ein passendes Heilmittel erhalten.\nEs gibt nichts Besseres in der Welt wie\nTr. Krng\'s New Discovery. Lewis\nChambertain von Manchester, Odw,\nichreibt bezüglich seiner Kinder: „Ei\nnigemal während der schweren Anfälle\nwaren wir schon bange, daß dieselben\nsterben würden, aber sei: wir die Sicher\nheit haben, welches zuverlässige Mittel\nTr. King\'s New T scovcry ist, haben\nwir keine Angst mehr." 5 w und Kl.oo.\nEine Flasche soltte in jedem Haittc sein.\nBei allen Bpvlheksrn. H. E. Bucklin\nL Co.. Philadelphia oder Sr. Louis.—\nj Heraurgeqedkn voo der -\n- Nordstern Asjociatiou, Lr Troste. Vir. >\n25 crttmikcil\nAcht Atcknn des Tankdainpfers\nMklahonick von einem deut\nschen Schiff gerettet.\nNew ?)ork, 6. Jan.\nTer Tankdampser Oklahoma ist am\nSonntag früh 7 Uhr aus hoher See\nsüdlich von Sa.-dy Hook in zwei Stücke\ngebrochen, wobei ein großer Theil der\netwa vierzig Mann starken Besatzung\nerirank. Der hiniere Theil de Schis\nse. in welchem sich die Maschinen und\n32 Mann besande, sank augenbticktich\nrn die Tirse. Acht Mann wurde von\ndein Dampfer Bavaria von der Ham\nburg-Amerika Linie an Bord genom\nmen, dessen Capitän außerdem erklärte,\ner habe gesehen, daß ein Rettungsboot\nder Oklahoma mit zehn Mann an Bord\nvom Wrack abgefahren sei.\nEin Zollkuiler ist abgeschickt woroen.\num da Wrack in Schlepptau zu neh\nmen oder zu svrengrn.\nSpät am Abend traf die Nachricht\nein. daß der Zollkuster Seneea ein Ret\ntungsboot der Oklahoma ausgefischt\nhabe, in dem sich die Leichen von vier\nMännern befanden, die wahrscheinlich\ninfolge der Unbilden ihren Tod gesun\nden haben.\nNew Pork. 7. Jan.\nDreizehn Ueberlebende des letzten\nSonniag im Slurm bei Barnegat ge\nsunkenen Tankdampsers Oklahoma\nwurde DienSiag in New Aork gelan\ndet. Awr trafen aus dem Dampfer\nBavaria von der Hamburg-Amerika-\nLinie und fünf aus dem Tau Pier\nGregory von der Booth-Linie ein. Die\nRettung der Schiffbrüchigen erfolgte\nunter den größte Schwierigkeiten, da\ndie Wellen haushoch über da Deck\nschlugen Fünfundzwanzig Mann von\nder Besatzung der Oklahoma werden\nvermißl und sind ohne Zweifel sammt\nund sonders ertrunken.\nTer Trachieiiwcchscl in China.\nWie sich die LtcreuropSisirrnng ec\nKlcidunz vollzielit.\nSeitdem China Republik ist, tra\ngen die Söhne des Himmels aus Be\nfehl der Negierung europäische Klei\ndüng. Besonders kraß ist die Wir\nkung der neuen Kleidervorschrist an\njenem Oktobertage des Jahres her\nvorgetreten, wo die Prä\nsidcntschast mitrat. Es liegen darü\nber recht erheiternde Berichte vor. Tie\n„verbotene Stadt" mit ihrer Farben\npracht bot sonst bei festlichen Gete\ngenheiten ein herrliches Bild, man\ndenke an die bunten, Lrokatenen ober\nseidenen Fcsigcwänücr, an Pccten und\nStickereien, und sielte sich vor, daß an\nStelle dessen das eintönige Schwarz\nder e\'.iropa.chcn Kleivung getreten ist.\nAllein, was für eine europäische Klei\ndung! Die chinesischen Schneider\nhatten sich gewiß aste erdenkliche Mühe\ngegeben, ihrc Landsleute richtig aus\nzuputzen, allein gelangen war cs ih\nnen nicht: von oben bis unten steck\nten die Chinesen nicht in Kleidern,\nsondern in Karikaturen von Kleidern.\nNatürlich trugen sie Zvtinderhüte, Zy\nlinderhüie in jeglicher Hohe, nur inchl\nin der in Europa üolichen, aus zeg\nlichem Stoff, nur nicht dem, den die\nAbendländer dazu verwenden. Und\nwie man einen Zylinder zu tragen\nhat, wußten sie natürlich auch nicht.\nEinige hasten ihre Behauptungen bis\nauf die Ohren heruntergezogen, an\ndere suchten sie unmittelbar über den\nAugenbrauen im Gleichgewicht zu\nhalten, vielen aber spielte die An\nziehungskraft Ler Erde einen argen\nStreich unv z>rng sie fortgesetzt,\ndurch Nachhelfen mit den Händen das\nverlorengehende Gleichgewicht aufs\nneue wieder h-rzustesten. Ler fest\nliche Tag war nämlich windig und\nregnerisch.\nTie Fräcke und Gehröcke, die die\nChinesen trugen, paßten vollkommen\nzu diesen Hüten: man sah solche aus\nglänzend schwarzem Alpakastoff. aus\nSeide und allen möglichen anderen\nGeweben, nur nicht aus Kammgarn\nunv Tuch, wie im Abendlande. Bon\neiner „Fasson" im Sinne eines eu\nropäischen Schneiders war auch nicht\nallzuviel zu entdecken, denn die Grö\nßenverhältnissc der einzelnen Teile\nzu einander waren meistens mißlun\ngen, und man sah Nocke, die lächerlich\nkurz waren, uno anocre, deren Schöße\nbis aus die S:.: :I hingen.\nAm meisten , cywierigteiten hasten\naugenscheinlich K:.- cn und K.-nvatte\nbereitet. Man iah Kalilokragcn in\nden merlw!!" \'neu Formen, einige\nhatten fertig Krawatten an\ngelegt unv oen Kragen darüber ge\nbiinve:\', und die, oie die Kragen rich\ntig mit Knöpfen festigt basten, bat\nten auaenschrinlick hierzu soviel Müde.\nZeit riid etlichen Schweiß gebraucht,\ndaß von der urstrünglichcn Reinbeit\nunv Wohlgeformtheit nichts mehr\nübrig geblieben war. Natürlich gab\ncs auch Ausnabmen. denn de: cer\nHeierlichkest waren ja eine Reihe von\nCbinesen anwesend, die im Au-! ndr\ndie abendländische Tracht kenn.:: m\nlernt barien und da.ber karret: ange\nzogen waren. Der Präpven! leibn\ntrug die Uniftrrn eines Frida \'\nschall- und sott in dieser \'ehr aut\nausgesehen haben. Nur der Degen\nwar ihm im Wege.\nEntscheid ablscuiicsc.\nIstcrusuiig gegen das Miseonsiner\nEinkonrinensteuergesetz wurde\nabgewiesen.\nWashington 8. Jan.\nDa Oberbunbesgerick, in Washing\nton wies am Monrag einen Berusungs\nfall gegen da staaltiche Obergerrchr von\nWisconsin ad. indem die Umerrnstanz\nda WiSconsiner Einkoii>men>reurrgeietz\nvom Jahr- 1911 für verfassungsmäßig\nerklär. DaS OberbundeSgerickl au\nßene fick nicki über die Kütt\'.gkeu de\nGe\'etzes überhaupl und degründeie seine\nAbwe\'sunz der Angelegenhcil ist Fra\ngen der JuriSdiklion.\nEine andere Entscheidung de ober\nsten Tribunals war die, daß die Ein\nelstaolen das Reckt haben, ihre Burger\nfür Aktien von Gesellschaften, die in\nanderen Staaten gelegen sind, zu be\nsteuern. und zwar zum Pariirerih der\nAktien.\nDa Obergcricht stieß ferner am\nMoniag eine Entscheidung des Bundes\ngerichts in New Port um. in der die\nBundesregierung verloren hatte; es\nhandelte sich um eine Anklage gegen\neinen New Porker Hotelier Namens\nI. B. Regan wegen Ueberireiung des\nConiraklarbeitergesktzes; die Unienn\nstanz haue entschieden, daß der Regie\nrung die Peweislast zufalle, was vom\nOberbundesgerichl verneint wurde.\nRätselhafte Naturerscheinung.\nLüswasieroucllkn an verschiedenen Ziel\nten des L^cauS.\nTie Tatsache, daß Quellen süßen\nWassers hier und da auch am Boden\ndes Meeres emporsprudeln, war schon\nden Alten tamit, obgleich solche\n\'Vorkommnisse, soweit wir wissen,\ndoch nur verhältnismäßig selten sind.\nEine reichhaltige Zusammenstellung\nderselben hat erst Dr. F. I. Fischer\nin den Abhandlungen der Geographi\nschen Gesellschaft in Wien gegeben.\nHiernach zeichn.n sich besonders d:e\nnördlichen Gestade des Miticlmecrs\ndurch submarine Quellen aus. In\nden Buchten von EanneS und Antivcs\nsowie vor der Mündung des Var sin\nden sich untermeerische Quellen, die\nsich bei ruhiger See durch Aufwallen\nverraten. Auch in der Umgebung r\nRhonemünduiigkn treten submarine\nQuellen und oft in beiräckttichec\nTiefe auf. Die mächtigste ist die von\nPort Miou bei Cassis, sie bricht aus\neinem der 2 Quadratmeter großen\nFelsentore mit solcher Gewalt hervor,\ndaß sie an der Mccresorftäche einen\nStrom hervorruft, der schwimmende\nGegenstände oft über 2 Kilometer weit\nforttreibt. Im Golf von Spezia gidt\nes eine Anzahl zudmariner Queucn,\nvon denen ine so mächtig ist, daß sic\nan der Oberfläche der See einen\nWafferhügel erzeugt, der für kleine\nFahrzeugs unnahbar ist. Zahlreich-\'\nuntermeerische Quellen gibt es längs\nder Küsten von Istrien und Dalma\ntien.\nWenden wir uns nach Amerika, \'o\ntreffen wir auf die auch von Hum\nboldt geschilderten gewaltigen Süß\nwafserqucllcn in der Bucht von Ta\ngua und Kuba. Sie treten mit gro\nßer Kraft an der Meeresoberfläche\nhervor, und bisweilen ergänzen dort\nSchiffe ihren Vorrat an Süßwafler.\nZwischen den Rissen, welche die höh\nlenreichen Bahama-Jnseln umgeben,\nquillt klares, frisches süßes Quell\nwasser empor, das um so reiner und\nkälter ist, je tiffer e- geschöpft wird.\nZur Zeit der Ebbe kann man die\nQuellen deutlich sehen und das Was\nser da schöpfen, wo es aus dem Bo\nden emporsprudelt. In der Nähe der\nInsel Saba in den Kleinen Antillen\nwurde mitten im Meer das Vorhan\ndensein einer bedeutenden Süßwasser\nmasse entdeckt, die in konzentrischen\nKreisen vom Meeresboden aufzuquel\nlen schien. Nahe der Küste von Uuka\ntan gibt es untermeerische Tüßwasser\nquellen, die ihrc Wasser nicht in\nschmalen Becken mir einer gewissen\nGeschwindigteit ausströmen, icnstern\ngewissermaßen ausgebreireicn Seen\ngleichen, die keine merkliche Strömung\nzeigen. Diese Sützwassermaffrn schei\nnen landeinwärts eine große \'Ausdeh\nnung zu besitzen, denn dort befinden\nsich natürliche Brunnen, zu denen die\nAnwohner aus Leocrii durch küu\'ilicke\nund natürliche Schächte bina:steigen,\num sich den Bedarf an Triiikwasser\nzu holen.\nEine merkwürviae hierhin gehörige\nErscheinung sin! stch Lei Reclus.\nIm Januar 18.17 war das ganze\nMeer an der Südspitze von Florida\nder Schauplatz eines acwastigen Süß\nwosser Ausbruch-. Gelbe, schmutzige\nStröme durchkreuzten di Meerenge\nund tote Fi\'che schwammen zu Myria\nden an der Oberfläche. In manchen\nStellen schöpi\'ien die Fischer ibrTrink--\nwasser aus dem Meer wie aus einem\nFluß. Tie Beobachter dieser merk\nwürdigen Uebersckwemrnungen durch\neinen unterseeischen Fluß behaupten,\ndaß im Verlaut vcn etwas mehr als\neinem Monat der Fluß mindestens\nebensoviel Waffe lic>c:te wie ö.- Mis\nsis\'ippi. Wor die!: ungeheure Süß\nwanermenge stammte, und welches die\n".n,: ittelbare Ursache ihres Ausbruchs\nwar. ist völlig rätftlbait.\n2a Crosse, Wis., Freitag, den Januar 1.\nGrucral Äcicriikt.\ni\nJose -Nancilla floh aus rNji„aga\nüber die amerikannchc\nGrenze.\nPresidio. Tex >. Jan.\nGeneral Jose Man. ciner der\nhervorragendsten Kommandeure der\nmexikanische BundeSarmee ist Mitt\nwoch deseriirr. In Bczienung seines\nSohne, der den Rang cincs Haupt\nmannes in der Huertaschen Armee in\nnehatte. überschritt er von Oiinaga aus\ndie amerikanische Grenze und wurde von\nder Grenzpalrouille sestgemiinneii. An\nfangs gav er den EinwanderungSbc\nanilen gegenüber einen falsche Namen\nan. d.ch schließlich gestand er \'sttajvr\nMcNamee, dem Befehlshaber der ame\nrikanische Truppen, ein General Man\ncrlla zu je ic. und ersuchie um ein Asyl\nin den Ber. Staaten. Er wird di zur\nEntscheidung Brigadegeneral Bliß\' in\nHast hasten.\n! Mancilla ist der erste Offizier von\ntliang, der von der Hueriaichen Slru\'ee\nf deseriirt ist. wen auch schon vor ihm\nzwischen dreihundert und vierhundert\nj Sotdaien die Fahne verlassen halten,\nj Gen. Mancilla gehörte der regulären\n- Armee an und ist als Haudegen be\n- kannl. Er war crn warmer Belurwo\nler des Huenaschen RegmieS und hal\nviele Schlachten gegen die debellcn ge\nschlagen. Zusammen „ul General\nMercada war er aus CH huahua nach\nOjinaga geflohen.\nAbberufung beställgr.\nIn einer amtlichen Depesche von der\namerikanischen Botschaft in London an\'S\nSlaalsdeparlemenl in Washington wird\ndie No stricht bestätigt, daß die britische\nRegierung beschlossen Hai. ihren gegen\nwäriigen Gesandten in Mexiko. Sir\nLionel Carden. nach Rio de Janeiro zu\nversetzen.\nFiinsmidsicbzili todt ?\nBeim Untergang eines Uoots im\nFraser River in Uritish\nLolumbia.\nWinnipeg. 7. Jan.\nFünsundsiebzig Arbeiier der Gr"d\nTrunk Pacific-Bahn kamen in dem\ngefährlichen Fraser-Fluß in Bristsh-\nEolumbia ums Leben, als ihr Boot an\neinem Felsen scheiterst Füniundzwan\nzig v"n den Leuten, d.e auf dem 800 l\nüber den Fluß gesetzi werden sollien.\nenlkamcn mit dem Leben, alle mehr\noder weniger schwer verletzt; da Un\nglück trug sich in der Nähe von Fon\nGeorge, B. C.. zu. und die Nachricht\nwurde von einem der Ueberlebende.\neinem gewissen Angela Pugstese, der am\nDiknslag Winnipeg. Man., erreichie,\ndorihin überbrachi.\nMeldung wird nicht ge\nglaubt.\nVancouver B. C., 7. Jan\nDie aus Winnipeg kommende Mel\ndung, daß 75 Arbkoer der Grand\nTrunk-Bahn im nördlichen Theil von\nBriliih Columbia im November um\ngekommen seien, wild hier nicht ge\nglaubt, und c wird darauf hingewie\nsen, daß der Wassersland de Frazer\num diese Zeit äußerst niedrig ist.\nZ:i!,npsle.ze b. m Miliiar.\nDe: > crsiaiSen: fr c.ere Gouverneur\nvon Ostafrika und preußische Ge\nsandte stet den H.nsaslädreu Grus\nGoetzen hat in sei:-n Berichten -in\ndem spanisch-amer-, ruschen Krieg,\nden er als Obrrleuü\'.anl im 2. Gar\ndc-Ulanen Regimen! und Bertreie:\ndes deutschen Heen-: -nitmachie, wie\nderholt dff Zahnp\'lktt unter den aine\nritanischen Soldaten, auch im Felde,\nbetont. Graf Goenn erzählt, daß\ner bei Santiago de - bu ganz Reai\nmentcr habe vorbeinehen sehen, de,\ndenen jeder Mann eine Zahnbürste\nwie eine Feder dürr as Band seine;\nHutes durchgesteckt \'ageu habe. In\nden Biwaks sei, fest \'! wenn die Seife\nzum Waschen gef:!\'\' .mite, das Zäh\nneputzen von keinen ann außer ack t\ngelassen worden. > > französiscler\nBeobachter hat spä: ine ähnliche lie\nvolle Mundps-e - u der K\' \'\nflotte Uncle San dachtet.\nDas französi\'S -arineminifteri\num hat dies ameru che DDpiel für\nso gut gehalten, durch Beieh!\nvom letzten Frist allen an Bor"\neingeschifften M u ans Staat -\nkosten Zahnbii \' \'iffirt ivor ---\nfind. Schon i: r Hai sich her\nausgestellt, d.\' nhygirnitch \'\nFranzose an- - noch nickt a->\nmoderner Höh. Die Lieferun:\noer Zahnbürsten Tchiffsbemai\'-\nnungen ist näi! miängst wie: \'\neinzefiellt wordc: l an erkavn:\nbatte, daß dies t crkputzzeua\nnen Beritt rfilst mdem die sr-n\nzöslschen Matrr>\'- - e Bürsten wie\nwenigen Am:n \' nur zum\nReiniaen ihrer e und Mütze\nnübk bade: \'\nIn TeutiLk" -w" im H-e\n-u.-d in der Flc: Zahnbürfie\nden Gcaenflände." der Restnt an\nschanen muß; e auf die Za! -\npflege großer er Nickel Wer! g\nlegt.\nLtrcik- Vorlscichillilc.\n!\nlOcster c>s Dinners\nwar ursprünglich\ndaczeaen\nHoughivn, Mich. 8. Jan.\nDer Sireik der Bergoldeiicr im\nKupserdistiikl des oberen Michigan,\nwelcher am 2!. Juli Ictzren Jahres an\ngeordnet wurde, stieß urspri glich aus\nWiderstand bei den Beamten der n eiiei\nFederation oj Miners >v:e Gouverneur\nW. N. FerriS am Mittwoch von Per\nlreiern der Union erfuhr.\nDie Berneier der Llreiker belonten\nemphatisch, daß, nachdem der Sireik\neinmal durch eine Reserendliiiiabstim\nlung mir 7880 gegen 125 Stimmen\nbeschlossen worden war, die Beamten\nder Univn inchl über Kompromißvor\nschlage beschließen konnien, daß solche\nvielmehr der Bestätigung seilen der\nMitglieder bedursien, und daß somil\niveder O. N. Hitton, Anwall der\nUnion, noch Charles H. Moyer, Präsi\ndeiil der LLestern Federalion os Moier,\ndie Machl hatten,dem Sireik Einhaltzu\ngebieten.\n! Aus die Frage de Gouverneurs,\nweshalb die nationalen Beamten der\nUnion gegen Streik gewesen seien, al\nivorleicn diese, sie hallen die gethan,\nweil sie sich bewußl waren, daß ein\nStreik 11 stimmen verschlingen würde,\nund die allgemeine Lage aus dem Ar\nbeilsmaikt im Lande derart war, daß\ndie Zeit nicht geeignet war stir einen\nKamps der Arbeuer gegen Kapital.\nDie Löhne der Bergleute.\nBor dem Gouverneur erschienen am\nMittwoch zahlreiche Bergarbeiter, die\nvom 15. Lebensjahre an in den Gruben\ngearbett.-t haben und jetzt 15 biS 25\nJahre uwer der Erde lhcstig sind. Nach\nihren Angaben verdienten sie al-\nJungeu -18 bis 40 und als Bergar\nbeiter -52 bi ?90 pro Monat. Sie\nwic>en jedoch daraus hin, daß die elften\nMonate sehr festen sind. und daß ihr\nBerdienst durch die Einführung der\nKontraktarbeil bedeutend geschmälert\nwerde.\nIm Kupserdistrikt leben gegrnwö.iiq\n9815 Bergarbeiter, von denen 7710\nvon der Union finanziell unterstütz!\nwerden. Ungefähr 3000 organisine\nBergarbeiter haben den Distrikt ver\nlassen.\nNach Schluß de BerhörS der Berg\narbeiter erklärte der Cwuverneur, er\nwerde die Grubenbesitzer vernehmen\nund den Streitern dann da Resuliai\nder Berbvre mittheile. Ganz gleich,\nvb er nach Anhöien der Grilbenbesitze,\nin der Luge zei. einen Ausweg zu si i\nden oder uicktt. werde er sie von seiner\nAnsicht in Kennttiiß setzen.\nLchwkie 2\'cschnldMlist.\nEtvcago, 6. Jan.\nBor der staatlichen .\'ilbeilSkommission\nnon Illinois würben am Moniag Be\nschuldigungen erhoaen, daß gewisse hie\nffae SlrlleiivermittlungSagrnttiren junge\nMädchen an unordrililiche Hauser, zwei\nseihasie Theater und zweifelhafte CasrS\nerschlichen Halle Im Ganzen wur\nden in dieser Hinsicht über dreihundert\nBeschwerden eingereicht, von denen sich\ndrei ndzmanzig gegen SleUungSagrni\nrcn richten; einer Theaieragenlur wird\nvorgeworfen, junge Mädchen nach un\nordentlichen Häusern in New Orleans,\nMilwaukee und anderen größeren Städ\nten des Landes verschickt zu haben.\nTurch den Plinlimnkaiilrl.\nColon, 8. Jan.\nDa erste Tanipsschiss hat am Mitt\nwoch den Panamakaiiol pasffrl. ES\nwar der Krandampser Alexander La-\nValley, der an der allanttichen Küste\nmil seiner Arbeit begann und sich lang\nsam bis zum anderen Ende des Canms\ndurckgearbeuel hal. Passagiere beson\ndkii sich nicht an Bord.\nNrne Art der Eidaiistanittig.\nBei im Winter durchzuführenden\nErdarbeiten verursacht der Frost häu\nfig große Schwierigkeiten und be\nträchtliche Kosten, da in den gefröre\nneu Boden die Aushubwerkzeuge nicht\neindringen könncn. Bei einem Schien <\nsenbau bei West Liberty tat man nun i\nt.n vergangenen Winter ein neuart!- i\nes Verfahren zum Austauen des bis j\nu 4 Zoll tes Mrorcnen Bo\n! aens angeivendet. an besten Härte na-\nj turgemüst, aste Berfuche der Trocken\n! iiac -er und Dampsschauieln scheite: : !\n1,;..,.ß1;n. Auf den gefrorenen Boden\nj murre il \'endlichen Stücken zerkkei\nj n-rter. ungelöschter Kal! gebracht, der >\nf - :t Srr.M. Heu. MB. Brettern und ,\näknst st::\'. \'ckSchinl Wär:ne!circrn ab\nzedeck! un nur reichlichen Mengen >\nWon rs brgoff.\'n inurve. Die beim !\nLöschen des Trltes kma entwickelnde\nWärme mu\' e \' \'red >e Abdeckung\n! nirksan: gen.. S n ck.en nach außen !\nj aekchübt. formst \'". ie Erdober !\nf fläche auftaute und so dem sich er :\n"ärmrrEen WO-\' kste.\'erenheir gab.\n! ueier und tiefer in den Boden ein -\ni w.\'\'-ringen r,nd idn rüst r aufzuwri :\n! DieÄu>il d e r D o v d a i\'Ur\nj-- ohner von Ecr.\'cni te ::t nrr 2 i\n- n ncuesGsetz in clruauay\n! Ebesr.r.t ein einsciiZesSchei\ni oungsrechl, -\nblickst von Rcntcr.\n!\ncsftl\'l zu, an die perwenduna ran\nJtaschiiieiiaeivehien in Labern\ngedacht zu liak\'eii.\nSiraßburg 8 Jan.\nOberst von Rcuiec vom \'.9. Jn\nsamelieteginieni, der am Mittwoch we\ngen der bekannlen Bviginge in Zidern\nwieder vor dem Kriegsgericht in Siraß\nburg stand, gab zu, daß er die Mög\nlichkeit i\'s Auge g \'aßl habe. auf die\n, Beihöhnling des Miliiärs durch die\nmit seinen Mnschlnengcivrh\n.re zu antivonen. Poiizeiconlmisiär\nMaller von Zaber sagte nnier Eid\naus, daß der Oberst ersucht worden\nsei, seine Patrouillen einzuziehen, da\n! ihre\'Anwctenheit aus den Straßen die\n: Erbitterung der Einwohner nur noch\n! steigere; der Oberst habe dies jedoch\nkurz mil dem Bemerke abgeieh:, cr\nf habe letzt da Eommando. Aus de\n> Einwand, aast die Civilisten doch nichis\n! weiter ihaien, als herumstehen, hake der\nj Oberst eiktän, er werde diesem Herum\nstehen um jede Preis ei Ende ma\nche. er lasse rS sich nicht gefallen, baß\nda Miliiar in dieser Weise verhöhnt\nneide, und er werde nöihigcnfalls den\nBriehl zum Scharfschießen gebe\nDer Oberst selbst gab zu, Maschi\nengeivehie aus den Straßen postirl zu\nhaben, um gegebeneiiwlls aus die Bür\nger zu cuein.\nEi Banlkassirer von Zaber sagte\nvordem Knegsgerichl aus. Leulnaitt\nSchadd von 99. Jusaitteriereglinent\nhabe ihn jestiuhnien lassen, trotzdem\ner weder gelachl och sonst irgend etwas\nUngehvtigeS gnha habe. Zwei Sol\ndale jaglen zugunsten des LeulnantS\naus, der Bankkassiret habe gelacht oder\nmindestens eine lächerliche Grimasse ge\nschnitten.\nTetranitranilin.\nName eine neue In England ent\ndeckten Sprengstoffs.\nIn der militärischM Sprengtech\nnit und in der Geschoßfabrilativn ge\nlangten bisher bet säst allen Staaten\nÄitrinsäure und seit kurzem auch\nTrimtclolucl zur Verwendung. Der\nlctz.e Sprengstvjj hatte sehr rasch ein\ngroßes Verbreitungsgebiet gesunden,\nda er der Pitrinjuiire an Enrengtrafi\nnur wenig nachsieht, große Uncm\npfindlichtcit gegen schlag und Stoß\nbesitzt und vor allem leine sauren Ei\ngenschaslcn hat, so daß die Bildung\nexplosibler saurer Salze auch bei\nbauernder Berührung mit Metallen\nausgeschlossen ist. Diese Eigenschaft\niiiacyt ihn zur Verwendung cos Gra\nnatsulttiag besonders geeigiicl.\nRun ist vor kurzem in England\nein neuer Sprengstoff eiildectt wom\nde, der ähnliche Eigenjchasteii aus\nweist wie das Trimirotottiol, in ein\nzelnen Pnntten dieses sogar noch\nübertrifft. Es ist das Tclianitrani\nliu: Es wirb gewonnen, indem Di\nuurovciizol mil Nalriumbisulfai und\nWasser zu Metanitronilin reduzier!\nwird, das, ohne daß eine vorhergc\n! l/cndc cinizung erforderlich ist. mit\nSalpeter- und Schwefelsäure Weiler\nbehandelt wird, wobei dann das\nTetranitranilin in gelben Kristallen\nausgeschieden wird. Doge werden\nfillri rt, gewaschen und bc\' \') Grad\nxetrocknet. In pulverisier\',n Zu\nstände hat der Sprengstoff eine in\ntensiv gelbe Farbe.\nDer Schmelzpunkt des Teiranitra\nnilins ist höher als der der\nPikrinsäure, die bei 122 Grad E.,\nund des Trinitrotoluols, das bei et\nwa 80 Grad schmilzt, und ist von\nder Art der Erhitzung abhängig. Tie\nZersetzung erfolgt bei 210 Grad <).\nDie Berpujsungstemperatur liegt bei\n222 Grad E\'., während die beiden\nanderen Sprengstoffe bei 180 Grad\nverpuffen. Das Tetranitranilin\nverbrennt und verpufft ohne Rück\n> stand, während Pikrinsäure und\nTrinitrotoluol mil stark rußender\nFlamme verbrennen und mit dunk\nler Sprenawolte detonieren. An\nDichte wie an Sprengtrast übertrifft\ni bas Telranilraiiiun die bcioen an\n\' deren Sprengstoffe nicht unerheblich.\n! Auch die Telonationsgeschwinvigtrit\nscheint nicht geringer zu fein. Alle\ndiese Eiacnschuflen machen den Stoff\nbesonders geeignet zur Füllung von\nSprengkapseln und Zünc-rvhren.\nAllerdings ist ras Dciraniiranilin\nin reinem Zustande zur Füllung von\n, Granaten und Sprengkörpern wegen\n\' seines Holxen Swmelzpuirlies nicht\n! r \'wendbar. Tagege scheint eine\nj Beimischung des Stosses zu Fiillun-\nE gen an. Trinitrotoluol oder s\'-\'in\n! säure graste B iwilc zu bieten, de,in\n. die D-eton!:?:.fahigteit dieser Stos\n. sc wird dacu.,9 erheSich ae\'teigerl.\nSchließlich lie : öle Verarbeitung\n\' de- Tetranitta\' d nr zu einem Treib\nmittel für Fem.\'cw.-\'ken nicht außer\nNi Bereich der Möglich! it. So\nvereinig! de" neue Sprengstoff eine\nReibe von Eigenschaften, die ihm\nauch von miütäriicher Scoc Beach\ntung sichern werden.\nScherzfrage. WaS ist ei\nr.c schwebende S^uld?\n( uoj;og;snl ui^-\nri,e „Nordstern\'-Zerrnn\ngen haben -i, Geschichte\nvon La Lroste nicht ira\nniitschreiden sondern mit\nmachen helfen.\nNummer Ni.\nMacht sich iiliclicdt.\nDie deutsche Presse selir .ttizlifrrede\nul dem Kronprinzen ive.zen\nseier A„dczettunaen.\nBerlin, 7. Ja\nKronprinz Friedrich Wilhelm jähr\nsoll, sich denn deulichen Bolle uldtt\nzu machen; seine Telegramme, dre x\nanläßlich der Zabeier Mare an\nneraUeulnanl von Deimling, den loirr\nmandirenden General in Siraßbur z\nund an Oberst von Revier, den Kom\nmandeur der Rc>inndueunziger.\nkürzlich wegen bc,agier Borgänge von\nZaber ivegverlegt wurden, richtete\niverden in den Beriiner Tageszeitung\nsehr scharf krilisirl.\nDie freisinnigen Blätter bedauern ,\nihren Leitartikeln, daß der Kronpriuz.\nder unzweiselhasi demokraiischc Neiguu\ngen habe, jedes Mal. wenn er sich >\npolnische Angelegenheit miielie. das\nBolk vor de Kops stoße; di liessen\nden Zeilungen siihren vier aus der tetz\nlen Z il stammende „Enigleisuiigen"\ndes Kronprinzen aus: Sei Angriff\ngegen Ge,hard HaupiniannS Jahrh,\ndertsesliplel; seine Billigung der ein\nschieden aniivririscheii Rede des konier\nvaiiven Abgeordneten von Hendebrand\nim November tlilt, seine Oppasiiiv\ngegen die Thronbesteigung seines Schwa\naei. des Prinzen Ernst August non\nE umberland in Braunschiveig und dann\nseine Telegramme anläßlich der Zaber\nec Affäre an die dortigen Militärbe\nhörden.\nUeber die Ictztgenannien drei Fälle\nsagen die freisinnigen Blätter, sie feie\nein Afsronl des Kronprinzen gegen die\nReichsregiernng. während die Tele\ngramme anläßlich der Zaderner Affäre\nin konservaiiven und Miluärkreisen\nBeifall gesunden haben.\nLeutnant von Forstner belästigt\nStraßburg i. E.. 7. Jan.\nAIS Leutnant von Forstner a\nDienstag in Begleitung mehrerer Ka\nmeraden da GenchtSgkbäudr in\nStraßburg i. E.. in welchem der zwerr\nProzeß wegen der Porgänge rn Zaber\nverhandelt wird verließ, wurde er vv\neiliche Civittsteu verfolgt, die Drohun\ngen gegen ihr. auSftieße. Die Menge\nwuchs in bedenklicher Weise an. doch\ngelang es den Offiziere, sich aus eine\nStraßenbahnwagen zu retten\nOpfer einer Thenterpanik.\nSan Juan. Porto Rico, 7. Jan.\nBier Kinder wurden zu Tode gr\nlrampell und achtzehn andere schiver\nNetzt. als Mailing Abend bei der Er\nöffnung des Municipal Thralre ,\nSa Juan, Porlo Rico, eine Panik\nentstand. Der Andrang war wegen\nde Festes der Heiligen Drei König\nenorm.\nLchwcdcullillll in Audienz.\nEhristiania, 7. Jan\nDer neue amerikanische Gesandte für\nNorwegen, Alberr G. Schivedemann\nvon Wisconsin, wurde am Dienstag\nsawmen mil seiner Gattin vom König\nin Audienz empfangen.\nOffizier angelltigt.\nGrand Island, Neb., 7. Jan\nWaller SammonS. ehemaliger\nSb-riss von Buffalo Evuntv. Obrrst\nleuinanl in der Nationalgarde von\nNebraska, und ehemaliger Bunde\nossizier aus den Philippinen, wurde am\nDiknslag in Grand Island, Neb., unier\n-s.tttt Bürgschaft den Bundesgerichten\nwegen Theilnahme an dem in der Nacht\ndes 2b. Dezember im Postamt in Kear\nney, Neb., verübten Einbruch überwie\nsen.\nErtrusession in Ohio.\nColumbuS, 0.. 7. Jan\nGouverneur Cox berief Dienstag\ndie 80. Gene\'il - Asienibly von Ohr\nzu einer außerordentlichen Session auf\nden !l. Januar zusammen Der Gou\nverneur wird der Legislatur nrr\nBank. Wahl- und Schulgesetze zur\nAnnahme empfehlen.\nStill vierter Protest.\nKansas Eich. 6. Jan\nNächsten Montag wird hier der vier!\nProzeß gegen den der Ermordung sei\nnes Schwiegervaters. Eol Slvoove. an\ngekiagle Dr. B. E. Hyoe beginnen.\n\' Tr. Haobsv s Solde heilt\njnlkendes Cczcma.\nDas steiige Jucke und das brennende\nGefühl und andere nn genehme Arien\nvon Eczema. Salz-Rtie >m: -mn unv\nHaul-Ausbrüche iverden v cm r : kucirt\ndurch Dr. Hodko\' Eczema p inline.\nilieo. W. Flick von Mendr a. Jll\nschreibt: „Ick \'aus eine S-,achtel von\nTr. Hobson Eczema O iniw-ni. Ich\nhatte Eczema seil dem Bu-gerkrstge.\nhabe mich von vielen Acrzien behandeln\nlasten, doch keiner beriethen Hai nur ge\nholfen. dis ich eine Schachrei von Hob\niin\'s Eczema Lmttnenl gedrauckie\nwelches mir sogleich hals." Bei allen\nApothekern oder per Post zu soc.\nPfeiffer Chemical Co.. Philadelphia\nund Sl. LouiS.—Anz.', 'publisher': 'C. Halbwachs', 'language': ['English', 'German'], 'alt_title': ['La Crosse nord stern', 'Nordstern'], 'lccn': 'sn86086186', 'country': 'Wisconsin', 'ocr_eng': 'J Enteral in the Poet Office in )\n( I* Crosse, Wia., at second class rates. \\', 'batch': 'whi_clabbert_ver01', 'title_normal': 'nord stern.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn86086186/1914-01-09/ed-1/seq-1.json', 'place': ['Wisconsin--La Crosse--La Crosse'], 'page': ''}, {'sequence': 1, 'county': ['Vernon'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85040451/1914-01-14/ed-1/seq-1/', 'subject': ['Viroqua (Wis.)--Newspapers.', 'Wisconsin--Viroqua.--fast--(OCoLC)fst01234647'], 'city': ['Viroqua'], 'date': '19140114', 'title': 'Vernon County censor. [volume]', 'end_year': 1955, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Available on microfilm from The State Historical Society of Wisconsin.', 'Editors: D.B. Priest, Aug. 23, 1865-May 12, 1869; W. Nelson, May 19, 1869-April 28, 1875; H. Casson, Jan. 17, 1877-Oct. 21, 1885; O.G. Munson, Oct. 28, 1885-Jan. 7, 1920; H.E. Goldsmith, Dec. 21, 1921-June 29, 1950; G.A. & M.S. Hough, July 6, 1950-Nov. 3, 1955.', 'Publisher varies.', 'Supplements accompany some issues.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Viroqua, Wis.', 'start_year': 1865, 'edition_label': '', 'publisher': '[publisher not identified]', 'language': ['English'], 'alt_title': ['Censor'], 'lccn': 'sn85040451', 'country': 'Wisconsin', 'ocr_eng': 'VOL. LVIII —No. 2\nShort News Stories of Interest\nPick-Upa by Censor Reporters of the Comings, Goings and Doings of\nViroqua and Vicinity\n—Farms listed, bought and sold. W.\n£. Beet.\n—Ed. L. Rogers was up from Sparta\non Saturday.\nBrick, tile and cement at the Nu\nzum Lumber Yard.\nMrs. C. J. Kuebler returned from a\nvisit with a sister in lowa.\n—Attorney and Mrs. C. W. Graves\nwere Minneapolis visitors.\n—Levi Allen has bought a Stude bak\ner from Larson & Solverson.\n—Dr. Chase, dentist, office in Nat\nonal Bank building. ’Phone 32.\n—John E Nuzum has purchased a\nfine Kissel car from Larson & Solver\nson.\n—The best cement and plaster at\nright prices it Bekkedal Lumber Com\npany.\n—Mrs. L. J. Martin and Mrs. Leslie\nSlack and children returned from West\nSalem.\n—Chairman John E. Lepke of Har\nmony greeted county seat friends on\nMonday.\n—Mr=. A. O. Larson went to Aber\ndeen to spend balance of winter with\nher daughter.\n—Percy, son of George Eckhardt,\nwas conveyed to a LaCrosse hospital\nfor operation.\n—Rev. Singleterry is conducting a\nseries of revival meetings in Springville\nAdvert cnurch.\n—Mr. J. W. Mcon r;al estate dealer\nof Viola, repaid a business trip to this\ncity on Thursday.\n—The blind, aged and infirm mother\nof Mat Larson died in Chaseburg. She\nwas 85 years old.\n—Moruecai Appleman, principal of\nViola schools, is ill and temporarily un\nable to continue his work.\n—Shaving sets, mugs, brushes,\nstrops, soaps, powders, hones and ra\nzors at Davis’ drug store.\n—Remember there will be a dance in\nRunning’s hall, Friday, January 16.\nMusic by 5-piece orchestra.\n■-If you want a reliable medicine for\ncoughs, colds, catarrh or rheumatism,\nget Barker’s. All druggists.\n—Until the present stock is sold, all\nour 2-minut? Edison records,youtchoice\nat two for 25 cents. Brown Music Cos.\n—On January sth the stork left a 14\npound white headed Norwegian boy at\nthe home of Mr. and Mrs. Sam Hokland,\nin La Crosse.\n—Milton Powell,a former well known\noitizen of Harmony, was recently oper\nated upon for gall stones in one the La\nCrosse hospitals.\n—Get the habit of attending. Run\nnin’g dances. The next one occurs\nFriday night, January 16, music by a 5-\npiece orchestra.\n—Don’t wait until warm weather\nbut bring in your lumber bills and let\nus figure on them It will make you\nmoney. Bekkedal Lumber Company.\n—Mrs. Robert Sidie and daughter of\nWheatland, together with John Linton\nof Michigan, were guests of the Jer\norae Favor and J. W. Cade families in\nthis city.\n—A measure of the high cost of Irving\nis shown by the federal bureau of sta\ntistics that the dollar of 1913 brings on\nly 51.4 per cent as much as the dollar\nof 1902.\n—Bargains in all overcoats. Prices\nlower than you will ever see again.\nThe mi\'d weather this fall and winter\nmake.-, it necessary for this sacrifice\nTt.e Blue Front Store.\nTizzicatto fingering, staccato bow\ning, he correct method of shiftirg and\nposition work, will be thoroughly ex\nplained by C. F. Wallace, violin teach\n• er, at Running’s hall everv Sunday.\n—Nelson Allen and wife returned\nfrom Waterloo, lowa, where they visit\ned for ten weeks with their son Charley\nand family. They report Charley as\nhaving a profitable year at contracting.\n—Dr. C. D. Mead, graduated and li\ncensed Osteopath, can correct your le\nsions that cause your chronic aches and\npains. Also treats your acute cases of\nall kinds. Over Blue Front Store.\nPhone 209, house 312.\nPeterson of Soldiers Grove,\nand Ralph Pomeroy of Gays Mills, were\nin the city to have conferred upon them\ndegree in the Royal Arch Chapter.\nThey were accompan ed by Ole David\nson and Mr. Pomeroy.\n—That old veteran and member of\nthe county soldiers’ relief commission,\nJoseph M. Clark of Mound Park, met\nwith a severe misfortune on Wednes\nday. He slipped and in the fall frac\ntured the bone in one leg in two places.\n—Ole L. Olson has purchased from A.\nJ. Beat the house and lot recently va\ncated by Eugene Denning, one block\neast of the school grounds, and will\ntake possession immediately, so his six\nchildren may have advantages of our\nschool .\n—A wandering tramp, able-bodied\nand in the prime of life, asked alms\nhere on Sunday. Said be lived in Mil\nwaukee. When it was suggested that\nthe tobacco warehouses needed help he\nreplied that work was plenty at Hills\nboro, and be trudged on.\n—Mr. and Mrs. J. S. Stetler sold\ntheir fine new home in Mound Park to\nJohn Kerr, who recently moved here\nfrom West Lima. Consideration SSOOO.\nMr. and Mrs. Stetler then bought the\nMrs. Kellicutt house in Mound Park for\na consideration of $2,650. —Viola News.\n—Chas. E. Ward, in the bloom of\nwestern health, paid a brief call upon\nViroqua friends on Monday, business\ncalling him to Chaseburg and LaCrosse.\nHe is thoroughly enthusiastic over Mon\ntana and her prospects and reports Ver\nnon county people there prosperous and\nsatisfied with themselves and the coun\ntry.\n—The remains of Peter Briggson ar\nrived here from LaCroase last Wednes\nday, be having died in a LaCrosse hos\npital, where he bad been taken for a\nsurgical operation a few dayß previous.\nMr. Briggson was 46 years old, a high\nly respected citizen of Kickapoo town,\nwhere he \'oaves a widow and five chil\ndren, besides other relatives.\n—The tunniest Topsy, Lawyer Marks\nand Aunt Ophelia, the meanest Legree,\nthe most faithful Uncle Tom, and the\nmost beautiful Eva, all combine to\nmake Harmount’s big production of\nUncle Tom’s Cabin the ideal attraction\nof the theatrical season. Watch for\nthe band. At Viroqoa Opera house,\nMonday night next. Seats at Dahl’s\ndrug store.\nTHE VERNON COUNTY CENSOR\n—Morey loan* a. W. E. Butt,\nlnsure with John Dawson & Cos.\n—Two-minute Edison records, two for\n25 cents. Brown Music Cos.\n—Ali kinds of storm-poof roofings and\npapers at the Nuzum Yard,\nj —Dr. Baldwin,dentist, second floor\nj Ferguson building. ’Phone 66.\n—Rev. Hofstead has bought anew\n! Studebaker Four from Larson & Solver\nson.\nPlace orders now for rorm sash,\nwhile our stock is complete. The Nu\nzum Yard.\n—While t s ey lat, Edison 2 minute\nrecords, two for 25 cents. Brown Mu\nsic Company.\n—Mrs. A. Pinkhani returned from\nMinneapolis with her mother, Mrs.\nWm. Erickson.\n—A new line of Jersey sweaters in\nnavy and maroon, just received at The\nBlue Front Store.\n—lf you want any frames on short\nnotice, leave your order with Bekkedal\nLumber Company.\n—A 5-piece orchestra will play for a\ndance in Running’s hall on Friday, Jan\nuary 15. All are invited.\nLeave orders for cut flowers and\nfuneral designs with A. E. Surenson\nand you will be satisfied.\nRelatives are advised of the arrival\nof a daughter in the home of Floss\nStrieker-Brierton at Aberdeen.\n—We have a big stock of barn boards\nand tobacco shed material, and the\nprice is right. Bekkedal Lbr. Cos.\n—I have a place to loan $2,000 and\nS7OO at 7 per cent. I bttve some money\nat 5 per cent. W. E Butt.\n—Ladies’ flannel waists; reduced very\nmuch in price; $3 00 waists reduced to\n$2 Oosl 50 to $1.15. The Blue Front\nStore\n—Dr. Edward Enerson returned from\nEvansville, where he finished a course\nas jeweler. At present he is giving his\ntime to optical work.\n—Miss Mabel Pierce was the luckv\none in J. W. Lucas’ award of a watch\nfor guessing closest to the number of\nsales made at his store during Decem\nber.\n—Cronk & Willard, Chiropractors,can\ncorrect your displaced spinal bonep,\nwhich cause your chronic aches and\npains. In Ferguson Bldg., Suite 2,\nphone 27.\n—Knights of Pithias lodge will hold\nannual installation of officers next Tues\nday night in Odd Fellow hall. Refresh\nments will be served. All members are\nrequested to be present.\n—S. W. Ewing has soil his farm near\nReadstown and purchase\' 4 a larger one\nnot far from Sugar Grove. A large\nparty of neighbors met on a recent day\nand extended farewell house warming.\n—Mr. Chris Homstid, clerk at Rog\nerson & Dani s store has secured agen\ncy for Norwegian-American Line tick\nets to the old country for Cenntenial\nJubilee. Fuller announcement next\nweek.\nWalter MeClurg was at Madison\nfor a week, attending a meeting of\ns cretaries of “County Orders of the\nExp -rimen Association.” Also Alfal\nfa convention and annual grain and\nfruit ‘how.\nMr. Albert Davik of Manning, new\nsecretary of the Utica inturanee com\npany, was in the city on business, yes\nterday. He has just added to his farm\npossessions by purchase of E. C. Toste\nrud’s 40 acre place.\n—Harmount’s Uncle Tom’s Cabin\nwill be at the Opera house, Monday,\nJanuary 19, producing the correct and\nonly authorized version of Harriet\nPeecher Stowe’s great masterpiece.\nWatch for the band.\nFrom Idaho came the news of John\nPeterson’s death, where he had been\nsome years. He was a son of Clouse\nPeterson of Franklin, reared and well\nknown in this community. Remains\nare expected by any train.\n—Managers of the new Bank of\nWestby counted wisely in securing the\nservices of Former County Treasurer\nHenry N Rentz as an active assistant\nin the affairs of the institution. Mr.\nRentz is a capable and popular gentle\nman.\n—Large crowds are attending revival\nmeetings at the Methodist church and a\ngrowing interest is manifested. Ser\nvices will be held each evening except\nSaturday. There will be a boys’ and\ngirls’ meeting Friday at 4 o’clock. The\nrites of baptism will be administered\nSunday morning.\nHartmount’s big scenic production\nof Uncle Tom’s Cabin is deservedly\npoDular. It is hard to find a person\nwho has not seen it or doesn’t intend\nto. It is patronized by clergymen and\nreligious press, as delightful, instruct\nive, and strictly moral, at the Opera\nhouse, Monday, January 19.\n—Chairman C. J. Eastman of the\ncounty board, and Merchant Curry were\nover from Valley on official business\nlast Fridav. While here Mr. Eastman\nintimated that he might possibly yield\nto solicitation of friends and throw his\nhat into the ring for sheriff. Which\nmeans that the fellows who run against\nhim will know they had a race.\n—A number went to LaCrosse to wit\nness two or three prize fights staged\nunder authority of our wonderful com\nminsion to license and promote prize\nfighting in this great morally reformed\nstate. Commission? Yes commission!\nOne of the fruits of the late legislature.\n“Commission” has become a household\nword in Wisconsin. If you don’t be\nlieve it, look at your tax receipt this\nyear.\n—The 1914 Studebaker “4”isaacom\nplete a car as money can buy today at\nany price. It is the lightest in weight\nof any car on the market for its size\nand equipment. It has a tremendous\nhorse power, climbs the steepest hills\nwith ease. It is a mountain climber\nand also as stylish and handsome as the\nhandsomest. See the half-page adver\ntisement in this paper, study it, com\npare it with any other car.\n—An old pioneer of Christiana town,\n1847, responded to the Master’s call,\nwhen on December 24, Gudbrand Oium\nlaid down life’s burdens. He was a\nnative of Norway, aged 83, leaving four\nsons and one daughter, the latter being\nMrs. Brown Oiscn, of Christiana, and\nDr. F. M. Oium of Oshkosh, the others\nresiding in the west. The venerable\nElias Neprud of Coon Prairie is also a\nbrother. Mr. Oium was married by\nRev. Stub in 1855, moving to South Da\nkota in 1879, returning here a few\nmonths since.\nImportant Itappenings of 1913 In Pidortal Review\n"ITtAM WINS 1 TKftVtKS WINSBWHITL ttUUSt WtfiOlWSl\nMISS HELEN UOULD was married to Finley J. Shepard at Tarrytowu, N. Y. on Jan. 22. General Victoriano Huerta became provisional president of\nMexico on Feb. 18. J. Pierpont Morgan, financier, died In Rome on March SI, aged seventy-six. President Wilson read his first message iu person\nbefore congress in joint session on April 8. Princess Victoria Louise. onl< daughter of Kaiser Wilhelm of Germany, was married to Prince Ernst\non May 24. The American (Kilo team won the international match from lae British challengers at Meadowbrook, K Y., on June 10-14. Over 40.000\ncivil war veterans attended the great reunion at Gettysburg, July 1-4, to celebrate the fiftieth anniversary of that buttle. Governor William Sulser of New\nYork was impeached on Aug. 11. Jerome D. Travers retained his title to the national amateur golf championship at Garden City, N. Y., on Sept. QL The\nsteamship Volturno. Uranium line, burned in midocean on Oct. !, 131 losing their lives and over 500 being saved. Miss Jessie Woodrow Wtlsou was mar\ntini! at the White House on Nov. 25 t;> Francis U. Sayre. General Carranza s rebel followers won Important victories in Mexico In December.\nFINDINGS BY HIGHER COURT\nImportant Local Cases Decided by\nSupreme Bench\nLocal ittorneys are advised of find-,\nings by the supreme court of two im\nportant cases appealed from Vernon\ncounty circuit court, the decisions be\ning handed down on Tuesday.\nThe judgment rendered against the\nLindetnann estate and Viroqua city for\n$1,500 personal injury to Mrs. L. R\nArlington by falling on a slippery walk,\nwas affirmed.\nThe judgment finding of a jury at a\nlate term of court in favor of S. C. Ross,\na Retreat farmer, for $2,000, was re\nversed. Ross brought suit against.\nNorthrup King & Cos., a seed firm of\nMinneapolis, on the ground that tobac\nco seed purchased from them proved\nnot what it was represented to be The\nhigher court says in effect that the no\ntice posted on every package of seed\nsold “that there is no guarantee as to\nquality and variety,” constitutes a bar\nto recovery for defective seed or dif\nferent variety.\n—Uncle Tom next Monday.\nMagnus Larson autoed in from\nReadstown on business.\n—Hugh Glenn arrived home from\nSouth Dakota for a visit.\n—The latest thievery-taking of but\ntermilk from Viroqua creamery.\n-Judge Mahoney went to Plymouth\nto address an Equity gathering.\n—The Male Quartet sing at the Cong\nregational church, Sunday evening.\n—To fill a vacancy in the Lyons school,\nMiss Geneva Sands went to Webster.\nEvan Friddell has entered Kuebler’s\nhardware store as a tinsmith apprentice.\n—MiBB Gertrude Cox is home after\nconfinement in Prairie du Chien hospit\nal\n—Read the new continued story—The\nMarshal -opening in chapters today.\nIt is a thrilling tale.\n—Rev. Bayne is advised that his fath\ner has quite materially improved in\nhealth since going south.\n—Hon. Chris Ellefson is at Gettys\nburg, South Dakota, closing matters in\nthe estate of his brother-in-law.\n—Dr. C. A. Minshall is in southern\nIllinois making purchase of a standard\nbred stallion for Carl Anderson of Weet\nby.\nMr. and Mrs. John Gald of Ferry\nville, have been guests of their daugh\nter, Mrs. O. C. Christopherson in this\ncity.\nMrs. F. P. Dodge of Madison was\nan over-Sunday guest of Mrs. J. D.\nBeck, returning on Monday with Mr.\nBeck.\n—Woodman dance at Purdy M. W.\nA. hall on Saturday, January 17 Oys\nter supper will be served by Herman\nChristenson.\n—Eld Lind has made another conven\nience innovation at his “Shoe Hospital.\'*\nEvery Saturday an expert shoe polisher\nwill be there to serve the public. Drop\nin and get a good shine. Rear of Hen\ndrickson’s shoe store.\n—A chimney fire caused destruction\nof the farm house occupied by George\nfamily as a tenant a few miles\nsouthwest of Ontario. They saved only\ncook stove and sewing machine. Mrs.\nMyers is a daughter of Mr. and Mrs:\nGus Hook of thij city.\n—Viroqua Methodist aid society chose\nfollowing officers: Mrs. J. E. Nuzufn\npresident, Mrs. N. M. Foster vice-pres\nident, Miss Anna Turner secretary,\nMrs. T. O. Mork treasurer. Executive\nboa\'c\': Mesdames Butters, N. D. Mc-\nLees.Nuzum,‘Franklin, Snell and Cook.\n—The pleasant and convenient lodge\nhome so long owned and occupied by\nViroaua Masonic bodies, has been dis\npose n of, the Third Regiment Band\nmaking purchase of the same, with car\npets, stoves and other fixtures. It will\nprovide the band with fine and adequate\nquarters and is a good investment.\nMasons expect to move to the new tem\nple within the next month.\n—Rev. Hofstead has just finished so\nliciting for the “Juhelfund ” Two years\nago the church body decided to raise\n$700,000 to pay off the church debt and\nto meet the offer of J. J. Hill, Presi\ndent of the Great Northern R R., of\n$50,000.00 provided the church would\nraise $200,000 as an endowment fund\nfor St. Olaf’a college, Northfield, Min\nnesota. This sum has been raised and\nwent into effect September last Mem •\nbers here responded very freely, iru\nof $4,000 being raised.\nVIROQUA, WISCONSIN. JANUARY 14, 1014\nOPENING OF THE FINE COURSE\nThursday Night, January 22 Enter\ntainment to be P’easing One\nTHE MOZART CONCERT COM\nPANY.\nThe name Mozart Concert Company\nis coming to be one of ilie best known\nnames on the Kedpatti list. For three\nyears past it has been a name which\nhns appeared on the announcements of\nhundreds of Lyceum courses and over\na wide territory. The company the\ncoming year will be the Same as last,\nexcept that William T. Shaffer will\nappear ns the vocal soloist.\nAudrey Spangler Mar Hand has been\nWith the company fom- years. She hns\na delightful person^ 4bt combine*\nin her programs that rare gift of being\nboth an excellent pianist and an ex\ncellent reader. Piunoiogues are an im\nportant pari of her program. Either as\na soloist or accompanist. Mrs. Mort\nland plays with tlyit finish which is a\npositive delight.\nI solid Jungonnnii, the violinist with\nthis company, lias (icon a member of\ntlie Red pa th family for several years.\nShe was one season with the Dunbar\nSinging Orchestra, later coining to the\nMozarts. She Is a southern girl with a\ncharming stage pres nee. Her musical\neducation was received at the Cincin\nnati Conservatory of Music.\nThe eelllst with this company, Alex\nander Spiegel, studied with Franz\nWagner, the well known cellist who\nwas with the Theodore Thomas Or\nA.\nmat, A&icW - -\nMOZART CONCERT COMPANY.\ncbestra for seven years. Mr. Spiegel\nhas appeared before the Woman\'s\nClub of Chicago In recital work nml has\noften played In the concerts given by\nthe Kush Temple Conservatory of\nMusic. He has also played in Ludwig\nBecker\'s Orchestra Becker. It will be\nrecalled, was at one lime cuncertuieia\nter of the Theodore Thomas Orchestra.\nMr William T. Shaffer, vocal soloist\nwith the Waterman Company last\nyear, will slug *evl tenor selections\nduring each eveui:.’ program. Mr.\nAlfred Williams, musical director of\nthe Redpath Bureau, says of Mr Khaf\nfer that he has u most unusual voice,\nsympathetic In quality, ami that lie Is\na dignified singer - In fact, a born art\nist\nTickets may be reserved at Dahl’a\ndrug store next Tuesday, opening 9 a.m.\nWas Close and Exciting\nProbably the best and most exciting\nbasket ball game ever pulled off in the\ncity waa Friday night last between Viola\ntown team and Viroqua highs. At the\nclose the score was 23 to 22 in favor of\nViroqua. It was a contest worth wit\nnessing, and it is more than creditable\nto the home team that they succeeded\nin holding down the big visiting aggre\ngation. It is certainly a tall and heavy\nline up, selected from the best athletes\nin that section, having as two of its\nmembers Omar Benn, league ball pitch\ner, Prof. Birdsell, a prize athlete, and\nothers that team in harmony. It is\ntheir second game, indicating that when\nhardened down and in thorough .aining\nthey may become invincible We re\npeat that our boys deserve praise for\ncoping with these Viola giants. Prof.\nOrput and Oltman played with the highs\nto fill vacancies caused by sickness.\nNEW YEAR REORGANIZATION\nLeading Business Man Incorporates\nHis Affairs\nAsa matter of convenience, safety\nand protection to all interests, Mr. Fred\nEckhardt, the most txtensive dealer\nVernon county has ever had. entered\nupon a reorganized system with the new\nyear, having incorporated his business\nwith a paid-up capital of $125,000. Mr\nEckhardt is president of the corporat ion,\nhis son-in-law, Will D. Dyson, is secre\ntary and treasurer, Mrs. Minnie Dyson\nvice-president. The incorporation in no\nway changes the Htatus of Htfair Mr.\nDyson has long been actively and finan\ncially identi c ed with the large business\nand has demonstrated his ability and\nvigor to do things For the past four\nor five years Mr. Eckhardt has been\nattempting to "luper off” as it were,\nand cast the heavy burdensuponyourg\ner shoulders, but it is not an easy thing\nfor one to do who has worked and plan\nned twenty hours out of each calendar\ndav during more than forty years of\nactivity in farming and management of\nthe largest business ever done by a sin\ngle individual in all western Wisconsin.\nWhether he takes it or not, Mr. Eck\nhardt has well earned a vacation.\n\'ROUND AND ABOUT US.\nWith an evident purpose to exhaust\nthe ten thousand dollar a appropriated\nby the late legislature to investigate\nvice conditions in Wisconsin, the legis\nlative committee “sot” in LaCrosse for,\ntwo or three days last week. By a j\ncareful reading of the local papers we\nare lead to surmise that officials, lawy\ners, doctors and business men of our\nneighboring suburb contribute evidence\nthat can but hs.ve a tendency to adver\ntise LaCrosse as an undesirable place\nfor young jieople to go for educatior al\nan! other purposes. When this travel\ning committee has expended the big\nlump of taxpayers’ money the world\n; will move on in the old way, but the\ncities visited will bear the odium of nusti\nr ness advertised tp the publio.\nBy list of taxpayers published for\nWhitestown in Ontario Headlight, the\nsmallest is given at 65 cents, largest\n$448.97. The latter ia Hon. Van S\nBennett. There, aB everywhere, nash\ning of teeth is the order over excessive\ntax burdens.\nIn the town of Harmony, while Hans\nand Thomas Moe were felling trees in\nthe woods they came upon a tree from\nwhich they secured a good amount of\nhoney.\nHarold Beder, a Norwegian who\nmakes his home most of the time during\nthe summer months with farmers be\ntween Westby and Coon Valley, and in\nthe winter works in tobacco warehouses\nin this neighborhood, while intoxicated,\nmet with a painful accident in Cashton,\nthe crushing of bones in one ankle H j\nstepped before an automobile whils in\nmotion.\nThe Boys are T hankful\nCarriers on Viroqua\'s nine routes are\nthankful to their patrons for generous\nand substantial remembrances during\nthe holiday season, all expressing ap\npreciation for gifts and the spirit of\nofferings. Robert Smsll on route 5, had\nnine sacks of grain delivered to his\nbarn, Honry J. Anderson being the don\nor.\nLecture Postponed\nOn account of rrnssi\' g train connec\ntions, Professor P. W. Dykema will\nnot be able to make his Viroqua date\nthis evening. He will speak here Fri\nday evening of this week at the high\nschool room, and all are asked to be\npresent and aid in the laudable work of\norganizing a Viroqua choral union.\nBrooks Stock Company. I,ast three\nnights this week. All new plays. 15,\n25 and 35 cents. Seltirg at Mahl’sdrug\nstore.\n—Thomas Ellefson has not returned\nhome since the fone-al of hi* aged fath\ner in Coon. His brother Martin is very\nill there Mrs. Ellefsor is with her\nhusband in rendering assistance.\nMrs. Etta Stevens secured a posi\ntion in the Sparta state school, in the\ninfant hospital. A better selection\ncould not be made, a kindly aged moth\ner for the children.\nDr. Baldwin’s dental office will be\nclosed on Friday and Saturday of this j\nweek. He i attending a dental con- .\nventioo at Minneapol s. His mother,\naid wifefaceompariitd hm, The latter\nwill visit her parental home in lowa be\nfore returning.\nBIG LOCAL REAL ESTATE DEAL\nChase and Lindcmann Buy the Two\nSmith Farms\nThe largest consideration in a real\nestate sale consummated here for years\nwas made last Saturday, when Howard\nE Smith sold to Frank A. Chase and\nWill F. Liqdemann his farm of 120 acres,\njust north of the city limits, and that\nportion of the old Isaac Smith home\natead lying r half mile north of town,\nconsisting of 85 acres Consideration\nis given as $25,000. Both places are\ndesirable property and the buyers are\nto be congratulated on their acquisitions.\nMr. Smith has been desirous of turning\nto other lines, and after giving possess\nion next March expects to go to Cana\nda for a time at least.\nTHEY HOLDANNUAL MEETING\nFirst Nutionul Bank Elects Officers\nand Closes Year’s Business\nAnnual stockholders meeting of the\nFirst National Bank was held yester\nday and a satisfactory year’s business\nclosed. A good dividend was passed\nand liberal sum added to surplus. Of\nficers of last year were re-elected as\nfollows:\nPreiident-H. P. Proctor.\nViw*PMkinti-E. W. Hazcn and Wra, Webb.\nCnhivr — H. E. Packard.\nAflaiHtant t\'aahier —Albert T. Fortun.\nDirectors — H P Proctor, Dr. J. K. Schreiner,\nWilliam Webb, E. W. llav.cn, Albert Sol venton. H.\n!>. Reed. H. I*. Proctor, Jr.\nProminent Merchant Shifts Business\nAfter a third of a century of con\ntinuous and successful general mer\nchandising at Westby, Hon. Andrew\nH Dahl relinquishes the business to\nyounger men, having disposed of the\nclothing and shoe branches to Knute\nVilland, the grocery and dry goods fea\nturcs to Sigurd ar.d Arvid Ramsland.\nAll the new proprietors r.re Westby cit\nizens, Mr. Villand having been for two\ndecades connected with the Dahl estab\nlishment, a thorough raerjhant, while\nthe Ramsland bovs are Westby born,\n6? good stock and capable young men.\nThese new firms will share the com\nmodious quarters so long occupied by\nthe Dahls, With his capable sons, Har\nry and Chester, associated in the busi\nness, Mr. Dahl will devote his energies\nto agricultural machinery and automo\nbile pursuits. Having added largely to\ntheir facilities in new buildings and\nequipment they will be able to handle a\ngreat volume of business. As an indi\ncation of their anticipated capacity they\nhave given an order for 250 Ford auto\nmobiles for the year 1914. The auto\nmobile branch of the new firm will be\nextended to Viroqua, where ample\nquarters are arranged for.\nNew Real Estate Firm\nViroqua has anew firm -a three mar\nland company, composed of well-known\nfarmers - former Sheriff Martin Root,\n1 Henry E. Anderson and Jacob Dacb,\n! Jr.,- who have associated themselves\nj together to conduct a real estate and\nexchange business in the county. They\nhave all been successful in their per\nsonal affairs and ought to make a strong\nteam in handling and negotiating\nsales and transacting real estate mat\nters for farmers. They are reliable\ngentlemen and in ail respects trustwor\nthy. Their established headquarters is\nover Towner’s store. Wo direct atten\ntion to their announcement in another\nportion of the Censor.\nYou are Invited to the Mask Ball\nViroqua Woodman Camp will give a\nmasquerade ball on the night of Janu\nary 23, in Running hall, to which the\npublic is invited. Four nice prizes will\nbe awarded, two to the best dressed man\nand woman, two to the most comically\ncostumed man and women. The Buick\norchestra will furnish the music; tickets\n75 cents. _________\nCome and Help Us\nWe want more help for tobacco sort\ning, both men and women. Come and\nsee us or write. The Bekkedal Ware\nhouse. Viroqua.\nANNUAL CREAMERY MEETING\nNotice is hereby given that the an\nmml mi-etina of the Viroqua Creamery Com\npany will be held in the Opera \' all on Monday.\nJanuary 36. 1914. at 0.-ie o,clock p. m . for the pur\npoee of receiving the annual report and elect two\ndirectory in the place of Joaeph Buchanan and D.\nH. Froilmnd. an their terms expire on that day.\nAIo to receive the cheek! for over-run for the\nlast six months of the year !!£l3. \' I\nWe should like every patron to attend the meet\ninsr a* the question of building anew creamery i\nwill be up for discussion. Please be at the meet- j\nins on time. j\nChhis EiJJBf SON. Secretary and Treasurer, j\nDated January 13,1914. *\nESTABLISHED 1856\nBE SURE OF YOUR FOOTING\nJohn Stoll Doost Vernon County and\n“Old Wisconsin’’\nPasadena, California, January 2.\nFriend Munson: Just a few lines\nthrough the CENSOR, to my inquiring\nfriends: lam rot selling any real es\ntate, but have had a grand trip for the\npast ten days We went to Chicago in\nthe snow on the 23d of December. In\na short time were on the bare land again\nin Illinois. On the morning of the 24th\nwe had plenty of snow again, which\nlasted to nearly Sacr. ento City, Cali\nfornia, and plenty of it, and winter\nright. Part of the way was like real\nWisconsin winter weather. We spent\nChrisimas and the next day in Salt Lake\nCity looking over many things new to\nus. The temple square containing the\ntemples and tabernacle and its bureau\nof information, all of which we were\nglad to be shown. Also were in St.\nMary’s cathedral and at many other\npoints of interest.\nWe landed at San Francisco on Sun\nday morning, leaving winter behind,\nwhere sunshine and rain have made\nplenty of green grass, which looks fine\nfor winter time. While in San Fran\ncisco I met Frank Onley, formerly of\nViola, who think* that part of Califor\nnia is the only country. Mr. Onley said\nit had been too dry since 1909, only\nwhere they could irrigate the land, and\nthe rain was what they wanted. Since\nleaving San Francisco I see they are\nhaving floods and washouts, trains laid\nup and many of the farmers in low lands\nwiped out of house and home in the val\nleys of upper California.\nWe spent two days in Frisco observ\ning what could be seen by tourists, (or\ncountry people as they call us) went\nthrough Chinatown, where they claim\nthirty thousand Chinamen,and of which\nplenty were small ones. We left for\nLob Angeles and Pasadena arriving on\nJanuary Ist, 1914, and from this far-olf\ncity we wish one and all at home a hap\npy and prosperous New Year. We\nwatched the grand parade of the rose\ntournament. There were some grand\nfloats, and many of them. The parade\nlasting over an hour, as we were in one\nplace all that time. In the afternoon\nwe were at the park where there were\nmany races—chariot, hurdle and foot\nracing, high jumping, many things of\ninterest which made the first day of the\nyear a busy one for us. >\nIt is all right and fine at this time of\nthe year and we enjoy being here. The\nfreeze of 1913 was bad for the ranchers\nhere and I am of the opinion farming\nis not in its highest state. There is\nlots of wealth but I am of the strong\nopinion a great deal of it was made in\nthe east. At any rate, Viroqua and\nVernon county looks good to us, and\nnowhere have we seen any more pros-\nBerous country than old Wisconsin.\n(any who have been in the west for\nyears will hardly believe in the advance\nin the enst. but I for one can tell them\nof the modern farm homes, and that\nour farmers of today are on the top\nrow with the cash in their jeans, and\nthe best is none too good for them.\nUps and downs hit most of us some\ntime in life, no matter where we go.\nTb- whole thing in this life is in being\nsatisfied and contented, and this leads\nme to say: be sure you have something\n1 letter than Vernon county before you\nmake any change, as Wisconsin and\nVernon county are to me at the head of\nthe list. Mv wife says to me “be a\nbooster for Wisconsin.” That is what\nthey do in Pasadena.\nYours, J. E. Stoll.\nRoger the Whole Works\nHon. Roger Williams of Hillsboro,\nwho, as justice, lias doubtless married\nmore couplea than any man in Vernon\ncounty, gives notice how to wed with\nout license er medical examination. In\nthe Sentry he advertises:\n“To all those who contemplate mar\nriage in future and wish to wed under a\nsolemn contract, which is binding and\nlawful under the laws of this state, I\nwill draw up for them. The common\nlaw prevails in this state. All that is\nnecessary to do for two people who wish\nto be married is to make b written\nstatement, before witnesses, that they\ntake each other as man and wife. You\ndon’t require any license, medical ex\namination, priest, clergyman or magis\ntrate.”\nDetermined to Hoist Head Officers\nModern Woodmen everywhere are\nsounding the slogan for defeat of pres\nent head officers of the society, who\nwere instrumental in attempting to\nforce the outrageous increase in rates.\nThe local camps will elect delegates at\nthe first meeting in February to attend\na county convention to be held in Viro\nqua later. Camps are entitled to ore\ndelegate for each 26 members. Every\nWoodman in the county should attend\nthe meeting cf his local camp at the\nfirJt February meeting and have a full\nrepresentation at the county convention.\nThe unhorsing of head officers can only\nbe accomplished by moral support and\ndetermination of members.\nChance for More State Inspectors\nIce cream dealers and traders in oys\nters ate now required tn conform with\nanew regulation by the weight and\nmeasures department of the state. Pa\nper ice cream and oyster containers\nmust be filled to a certain height and\nbe marked by a perforated line accom\npanied by the words" Fill to the Mark.”\nThe capacity of the paper bucket must\nalso be plainly indicated on tbe side or\ntop.\nImportant to Threshermen\nAnnual convention of the Wisconsin\nBrotherhood of Threshermen will be\nheld in Madison city January 20th and\n21st. Every tbresherman in the state,\nwhether a member of the association or\nnot, is welcome to attend this conven\ntion and the special attraction on the\nevening of the 20th in the shape of a\n“Dutch Lunch” and smoker. Drop a\npostal card to The American Thresher\nman, Madison, and get your name in\nthe pot.\nToo Sudden for Comfort\nArrival of zero weather for this sea\nson was delayed till January 12th, when\npeople were astonished to arise and find\nthe mercury registering ten below.\nSunday was warm and pleasant, water\nstanding in the roads and automobiles\nmade their rounds as freely as in June.\nThe change was too sudden for com\nfort.\nInsurance Company Officers\nUtica farmers\' mutual insurance com\npany held annual meeting at Readstown\non Friday. Following officers were\nelected:\nPreaidenl—L. C. Schoenbernrer\nVice-President—William Barney\nSecretary—Albert Davick\nTreasurer-J. B. McLeea\nDirectors—O. H. Larson. John Cummins, B. F.\nCooley,', 'batch': 'whi_doxy_ver01', 'title_normal': 'vernon county censor.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85040451/1914-01-14/ed-1/seq-1.json', 'place': ['Wisconsin--Vernon--Viroqua'], 'page': ''}, {'sequence': 1, 'county': ['Washington', 'Winnebago'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn86086559/1914-01-14/ed-1/seq-1/', 'subject': ['Blair (Neb.)--Newspapers.', 'Danish American newspapers.', 'Danish American newspapers.--fast--(OCoLC)fst00887764', 'Danish Americans--Newspapers.', 'Danish Americans.--fast--(OCoLC)fst00887668', 'Lutheran Church--United States--Newspapers.', 'Lutheran Church.--fast--(OCoLC)fst01003996', 'Lutherans, Danish--Newspapers.', 'Lutherans, Danish.--fast--(OCoLC)fst01004083', 'Nebraska--Blair.--fast--(OCoLC)fst01228909', 'Neenah (Wis.)--Newspapers.', 'United States.--fast--(OCoLC)fst01204155', 'Wisconsin--Neenah.--fast--(OCoLC)fst01227527'], 'city': ['Blair', 'Neenah'], 'date': '19140114', 'title': 'Danskeren. [volume]', 'end_year': 1920, 'note': ['Also issued on microfilm by American Theological Library Association.', 'In Danish.', 'Merged with: Dansk luthersk kirkeblad (Blair, Neb.), to form Luthersk ugeblad.', 'Organ of: United Danish Ev. Luth. Church, Feb. 23, 1909-1920.', 'Published in Blair, Neb., 20. Apr. 1899-29. Dec. 1920.'], 'state': ['Nebraska', 'Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Neenah, Wis.', 'start_year': 1892, 'ocr_dan': '-f-IsssssssssssssssssIIIRIIIIIIIIIIIIIIIIIIIIIIIIIII\nTHE·UNchD\nDAleH\nIMMCMCAL\nLUTHM\nCHURCH\nINW\n-T- IMOXOMXOXOXQ 0’ I ZAI Obs- 101 YO4M1 . 1501010 I- « I «T«11111’-«- XXXOXO Is!\n— Ni. 2. f ·I1 I IVi«i-iis)«LI-icbfk., Ousdag dkui i4. Zusiiklii jäh-. " «" —" " s"7 Mij —\nStillingcn i Mexico.\nOjiasgi faldt Ratten til Sindag i\nRebellckueo Hast-due\nMai-se baade milimske og kivile\nFlysluiuge paa U. S. Grund.\nPreihdm Text, 7. Jan. - - meins\nral Jofe Mmtcilla, on as de frem\nmcite Komnmndører i den fodernlts\nnækiknnssc Hast-, dotierte-rode i Don\nog com omsk til den omcritmtssc Eis\ndo fm Diimmn ug toqu sum Fun\nac of U. E. Hrwnscinmt. Hans\nSm, disk var Kaptath fnlgtcs band\noa de am- ist falskt Nmm til Jnunis\nstationvnmndiqlusdrnm »Im da de\nblev spkt from for Majas Mctkkmnecy\ndr- amcrjkanskc Tromer Kam-non\ndir-, tilstod ban jin Jdisntstet on\nbod om Vcskvttolsa «\nGeneral Mancilla, disk komman\ndkrch en Division of den regula-—\nte Arme, hnvde Otd for at vasre\nen tapper General og en stærk Til\nhttsngek as Hart-ins Nogich At\nhon hat fokladt Ida-ten tydcss as\nRebellekne iom m Fort-bist for en\nsmva Dvemang til den ondm\nSide fm de fademle Troppcr ved\nOiinaga «\nMexico Cun, ’-. zan. Bau\ngodt sum alle Pnpitspeuch der\nfindet 1 Mexico korrekt-des i Ciria\nlatiou i Das vrd et Dekret, sum\nGurt-to udstedtc, gaocnde nd paa\nat Sedlet im alle Statt-bunter et\nlovligt Betalinacsmidch ou dcrcs\nModtaqelsk iom simdant er obliga\ntot-ist.\nMexico Cim, II. Jan. — Ptæsii\ndem puetta siacss dek, vil ikkc te\nsianerr. men han er uillia t:l m re\naqungcte sit Kabinct oa ellets at\ngin- hvod fom helft der bmdc be\ndre Focholdet mellem Mexico\noa United States-. - Drt\nei- dcn fldftr Mklditm, der » braut\nfm Pkwiidmtcns Kontos-, og dct\nfiaes at hanc vix-rot Huntas An\ntudnina til Ækkebiskov Mem oa\nN andre-, Iom bar spat at bevægc lmm\ntil at tut-M- sia tillmqe for at be\ndre Stillinqm\nVersidia Irr. U. Jan mnn\nvon vod Ohunm nnsllcsm »Mit-rat\nVillas Ttowrr ou do Rom-rate wr\ndaq Affen on pansølmsndc Nat end\nte Incd afajott Em- for Ncslnsllvmc\nCWncmlkrms i den fuhr-rate Hast oa\nflms Tusindts as bonI-J Mit-nd satte\ni Huj oa Hast over Flotte-n til Pro\nsidio. da de indfaa, at do ikkks laanes\nto kundr holde Stillinqtsn inmd Man\nVan m haan ---« sont det sum-s ——--—\nuovcrvindrligc Krisen-. —- Tot var\nved Midnatstid, Forsvarorne opaan\nOjinaga, iom der nn har vcekct\nkæmpet am et Var Ugor Den spr\nste General, der ssate Zifferhcd\nvaa Texasiibnh var Pascual Ores\nko, om iok lamgc siden var undfaat\npaa Livet af Villa Tibliaekc var\nVognladningcr af Dokunusntck til\nhstende Regt-ringen i Mexico City\nbragt over Grasnftsn og beslaqlagt\nf den antrtikanikc ·(Sjkasnfcvqgt.\nBerai flnttrdc man paa Forhaand,\nat Forivaternes Sag stod stet, oa\nat man tunde vente Nømninq naar\nsont helft — En Mænqdc civile\nMinaer et oaiaa kmnmen hertil,\nog der berstet allen-de ftok Nsd\niblandt dem. Mand, Kvinder. Vorn,\nBunde-, Hinz oq Kreatnrer et stu\nvet samtnen over-alt\n. Med Qiinaaas Jndtaaelic hat\nVan ubefttidtscigt Gestad-same over\nnakdre Mexico, oq for iaa vidt kan\ndet stdste Slaa bete-ones sont det\nmest afatrende· —- Villa stal have\ntoleakafrtet ttl Carranza i Saat-ass\nat nu ,.havde han bevsst, at han\nknnde indtaqe Oiinaaa«.\n· J Mandags aatede han at Jætte\nKutten mod Thihuslmcy hvorfra\nhan faa vilde dkaae fydpaa mod\nRemchllflens Gavedstad\nGeneral-me Verrat-a Castro,\ninaL Rom-ro, Iduno oq Landes«\n. sein kam over firvresidim blev ta\nflet i sicrvarina as de amerikanste\ntret-per Liadaa betet Falk. Ill\ndrkq sit et hoc Mdt I Frei-süd\nat vor Hur hat« numttsst onst-jage\nou afvaslmc m san betvdci.g Flok\nFrcmmcdc vaa ern Gang.\nNoneralcrnk Lmzco oq Ynez Sa\nlnmr, sum nnførtc de fvdcmle Fri\nvillimx or nndchart m einstimij nf\nIl. Z. Mundiabrdcr, fordi do lmr\nkkasnkct Nøjtmlitotsklvorm-.\nLjiunqm Mer» H. Jan. —\n.,Pmniso« Villnss erusllcsr fuldførte\nIhm-is Jndtoaclsis as Oiitmqa i Tau\nimsd at heut-cito over Halvdcslen of do\n;300 Fsdcmhn disk toqu til Amme\n’(Ikonrmlons3 qmnlts Motokns at ov\nftillts de dødsdmntc i Linie og neb\nfkndcs dem fra Sidcn mstttomss Li\nmsne kam-des drrmn fmnmcsn i en\nTmmo oq opbmndtkss i Nahm\nTot vnr swrlia di- Frivilliqe nn\ndor Omco oa anmmc der br\nbandlodvs fnalcschs. Tvrsom Dire\nnks kundo vifcs Vanikor von, at do\num- indskmsms E den rmulckre Hast-,\nollcsr do bavdr Vrændemwrke vaa\nBrnftet disk bevissc betten auch der\ndem Leiliabod til at flutte siq til\nVillng Since De. der blev tro\nimod Gurt-tm bit-v nedfkndt.\nAthejdeke faak Del i\nProfiiteu .\nDes-v Fotd vil dele 810,000,000\nom starrt blsudt sit-e Arbejdetr.\nJokd Motor EoncpamJ«, Drtwit,\nMich-, meddeltc i fidste ler en\nPlan, iom skuldc trasde i Kraft i\nMattd41gs. Milliwww-Fabrikanten\nvar kommen paa den laute-, at bang\nAkbejderr fik for lidt i For-hold til\nbvad Kompagniist tjcntc vaa sin\nFormning» Plain-m fom altfao\nnnm vasrc ttcmdt i straft used drunt\nAkbcidsnacsts Visanndclscy qaat nd\npaa at tilsidcsfasttc on Zum of WO»\n()00,000, fon- vsl blims fordclt blandt\nFirmmstss Arbeitser bl. a. ved et for-.\nlwldsvisis betndeliqt Lan-I tillwa, der\nnjl kommt- 22,500 sen andrn Kil\nde siqcsr 26,500) as dem til ande.\nArbeit-etc fom m- lmr 3234 om\nDom-n vil fcm 85 Mnndliqo Arbei\ndcrcs, sont bar fuldt 22 Aar, vil\nfaa Drl i Forbsiclfrm in solv\n»fweepeks« vil fna dort-s 830 om\nllgcn. Oqfcm Arbeit-end sont spr\nsik M n 87 om Degen, fcmr For\nlmiolfc — Samtidia vic 4000 a\n;5000 slm Arbeitsert- blive tnqct i\nEchnoftc on Arbeidstidm nedfnsttvis\nJst-n 9 til R Tinter om Daqu, san\nder blier tte Stifter i Team-r 300\nKvinder. sont arbofdcr i Fort-emin\n41en vil oafaa san Lønstillasg, men\noftck on andrn forskcsllia Plan. -—\nDei or Horn-n Fokd solt-, der bar nd\nllaskkrt Plain-n, oa do andre Aktio\nnen-er bat ttlftemt den. Mr. Fort\nhævder, at det ikke mentlia or Lsns\ntillasq men .,Prosit-Sbarina«, tm\nPrier paa Ford Automohilrtne vil\nMc blivc forbsiet Sau deutet-, at\nPlatten oqfaa vil hierer til at faa\ndyattgere Arbeit-etc\nTango Danien fokhyves.\nParis, 9. Jan. — Kardinal Lcon\nAdolpb Ame-tm Ærkebisioppen i\nParis, fotbndtsk i en Skrivelse fom\nvil blive oplasst i Mist-me her paa\nSandaa. Doltaaelse i WunosDans\nfom en Sond, dcr maa bekendksg og\nsum-s Vod sor. Ærkcbiikomwn start-:\n»Vi fordønnntsr den Dems, der er\nindisrt nde fra, og sont er kendt\nHunde-r Navnot Tango, som i iia\nHelv er ufsmmelig ag fkadclia for\niMoralem oa Kristne man for Sam\nsvlttiqbedens Skyld ikke iaae Del i\n»den«\nKardinal Ame-M vil oafaa nd\nthede en Advent-sei imod visfe its-m\nmeliqe moderne Klasdedraater. .,Vi\npaaminder Windes-« fiqer Kardina\ncen. ,,at de alttd iaqttaqer Regier\nnes for kristeliq Stmmeliabed, hvils\nki- altfor oiie overtmdes. Vi beder\nkristne Minder at Turmes om at\nnichin visfe Moder-, fom ikke stem\nJmek med, bvad der er himmliin\n; Dei er tm Kaki-litten der vptms\nldisk i et Iaiolst Land imod det its-m\nmeligc i lmadc Eil-disk og sein-dr\ndraqt; Inen ogsaa hos os tkcrnarszi\nder til zimnp intod tust Its-Innre\nlia c tnmdo for Zmnvittighcdcns on\nMoralem- Eknld «\nI Ei Kmnpevækt fuldfstt\nf\nStadt-n Nho York-) uye Bands-stin\nninqsmttk tmbact\nNew York, 1(). Jan. — « Et Ida-ni\nUmnlsm i sit Ehas anlnusdrss lnsr\n»tidliq i Tag tnsntlig den noc- Band\nlisdninq im Entifill-«!Iirramm, sont\nifnart konnnrr til at for-inne New\nYork med de minnt-»Don mono\nIusr Vnnd, sont Vnksn tmsnmsr til dan\n.liq. Forst um cst Aar blivcsr Antipa\nmvt fnsrdiat i fin Solln-d Der lmr\nInn ver-tot arbejdvt von det i fov\nAar-.\nEt Tynmnitskud 400 Fod under\nJordcn nnd »Hm- Hundkcsd and\nFortnnintb Strect« oa »St. Niobe\nlos Anmut-« i Formiddcm« Mien\ndmav Tunnclanlimcsts Full-sprele\nTenno Tunncl ligqck fm 200 til\n750 Fod under Vyms Moder-.\nHeli- Fototagmdct bar kostet Vo\nlk-» sit-Monmo, qq 72,000 Mund\nbar her fundet Bestæstiaelie i fnv\njAaL Men det bar ogsaa kostet more\nidet man regnet-, at ille lanat fra\n1000 Menncfkkr er bit-von dkwbt\nollrr bar paadequ sia Aha-stellst\nunder Arbeit-et\nTor ck den-, fom findet-, at drtto\nJnacnitrarbcsidc endoa kan stillt-s\nved Süden af Panamakanalcng Gen\n»Auf-tells\nDen nve Vanvlevnma Ism- Vm\nCatikilLVirmcne oa trwnact jam\nncsm Bin-ge og under Floder paa sin\nins Paar-J Reise til Kammean\nIm Asbokan Rossi-wirkt i Catfkill\nlaer Drithsvandot nennem tsn txt-m\nvcmassfig Lcdninq kanns Voftfidon\nof Httdsonflodm passen-r under\ndesnms i en mmadelia dvb Hast-ert\n.k(sdninq ved Sturm Kinn. løbcr fcm4\nJtil Ekoton Reforvoirfnftemot oq der\njsm msnnem bot nimmtme Led\nIninqksnot til New York.\nL Termcd er dm fsrftcs Del as\nWerksan ftørfte Vandforfvninqsans\nCis-a first-m Misn disk er oafcm kun\njdcsn sorstcs Del. Vondet im Croton\n:vil nomliq frm m nn Vci til Vom\nTot väl komme til at passka acnnrm\nlto nva Reservoir-m dtst enc- vtsd\nJKoIcfiko, dct nndct vcd Ranken-E ca\nUse-Hm duckt-r disk ncd i on ni Mit\nFaun Innnellcdnitm, sont brndcs i\niKlippm dnbt under Manbattons Ga\nIdctc Tot passen-r under Vrookltm\nloq Ost-kons, san under Haupt til\nStatt-n Island on ende i Silva\nLakcs Reservoir-et fin 82 Mil lange\nWeise-.\n- Vanhsorimmmm mqu tm im\nNnndløb i Catikill ncsmlia Einka\nJucin Erholmric Nondout ou Cat\nHut Emp. ,\ni Ailwimi Reicrvoinst, lwor Dom-d\nidelen m Vandet famlcs, Uqu midt\niindis i Ojcrtct af Catikillbjcrgcne\nDrt ligqrr 550 Fod over dagliq\nBande og kan tmkkk VnndctÄp til\niManhattetnsSktMraberufe-s 18. Eta\n»gc udcn Pumpcr. Det nuvækendcs\nSystem naar barc til 6. Gage\niMen Afhokan Refervoirct hat os\nisaa kostet 820,000,000.\n» For at bygge klicickvoitct blcv\niUv Lands-book jasvnct ntcd Jokdm\n32 Kirkcsqnatdc blcv ncdlagt og 2500\nGravc maatte Amtes-. Der blcv bygs\nget adstilliac Mit Jernbamh 10 Mit\n’m) Bin-ach og 10 nyc Brot-it\nFra dette cnorme Reservoir gaar\nVandct fom sagt lanqs Vesiiidcsn as\nHudiom pasierer under Flucht i\n»den mcrgtige Staalhævert vedStorm\nRing oa flydcr ud i Kensico Refer\nvoir. Fta Keniico gaat Vandet site\nMit laanekc iydpaa til Refervoiret\nved Punker Dets Funktion er fop\nfkelliq fra Ashdkam fom somit-r\nMindest oq Kenfica sont apmaqasi\nnistet det.\npouletssdqsinet er beteqnct at\nudciqne det forfkelliqe Vandforbruq\ni ngnets Timer og holde Trost-i\nkonstant Dei bar en Reiervebefwlds\nuitm, sum han« skal bruacgs tilends\nsusfonot Tot lmr kostet s2,5««,»()0.\nTon nnmtinc Vm1dchning, sont fo\nnsr hersta, er den lastmste ou dolus\nftc i Vorbesi. Ton Jocranar lmmt\nVnndlcsdninzmt i dct qmnle Nons,\nsum bar staat-f novcrtmffel E Islnr\nhundrskdvc\nIm Nisfesktvoiret blivcsr Lodnitmon\nesn Viergtunncsb fom cr omtth ni\nMil lang. Den begonder tin-d en\nDiameter of 15 Fod under Man\nlmttan og indfnches cftcrlmanchn\ntil II Fodsis Diana-tot\nVrooklyn imacs acuncm on Tun\nnoL soIn war under Eofi Nimm\nsum-nat apum-m Klippen dnbt tm\ndot- Flodenss Bund. Quem-s funr\nsit Vnnd msnnmn et Staalrør fm\nNrooklnm ou bot-im fort-r oafcm et\nJernrør til antcsn Island\n«\nSidstr Nyc.\nFra Camoka South Afrika, las\nsesks til Morgen i Dag, nt »Aus\nTrndcs FedomtioM oa »Ihr Rand\nPrint-riss« i Aftosfs proklanwrcdeNc\nmsmlstrikcs Heime-m hole South Afri\ncan Union. Totrediedcle stemte for\nVesslutninacn ----« Som Modttcvk\nproklamerede Regetinaon straks\nKünsten Der er uMaa Spasndingp\nder for-staat now-It ,\nFm Tokio, Japan, lwfost Japan«\nmsder tappt-ist en spbbelt Tut-na\nfolssnnacrsnød i Mord oq Jord\nfkaslv og vulkansk Ohr-nd i Syd»\n10,000,000 Menneskck lidet Mangel\ni nordtcs Bondo oa Hokoida manni\ntsr dgdo Hungers-habest Do vol-»\nkansko Udbkud fruetmango\nMajsindføkclfe fks Argenti-c\nNew York, H. Jun. -- Nasftrn\n:5l»s,«»« Vnslnslsri urxnsntinst Maics\nlocsicsdosts i Musikin h» f Dau, on»\nknsr er Uiurt sinnst-un for Sllkilli0-s\nn» Vitflnsliz men- fm den sodanner\nsanfte- Ncpnblit Jndsorslen er in\ndirekte Folge ni, nt Tolden inter\n·drn Inn- Toldlnn or knsknssct Lucr»\nknown-» Vu. H- indsort i To Fur\ntsncsdts Etattsr. sidcn den Inn- Toll-—\ntun tkcmdtc i Kraft. Fra Argenti\nno or disk ikkts for indsnrt TI.)«’nj-:s, oq\nKonkurrenten lmr allen-de tun-met\nPrifksn neb. ltk Etilns er mit-n nn\ndisr Veij cslltsr de cr i Faer nnsd\nat indtkmc Mosis im Argentiuts, ou\net nnnsrikanfk Firma, sont fabrik\nrcsk Sirup on andre Produktcr as\nENan bar ajort Kontrast for 5,\n0()0,0s)0 Vuslnsls sm nasvntc Land.\n— Ncmr den ums amontinske Majsi\navl blinkt indbøstct, vil Jndføkssen\nist Handrcsantoritcttsr tiltaqucrns\ndann-rni- cr nforlnsrodto pan at time\nisnod donne Mass, oa der er heller\nikkts Dokplads for den« Man føaer\nnt bade vcm Manulcsrms paa bodftc\nMonde.\nFra Cbimqo moldos stimme-Dag\nat det starre Prisfald qik en Ccnt\nlasngere ned den Dag. Argentinfk\nMajs scelges for Tiden i New York\n4 n 5 Conts pr. Vu. under, hvad\ndcst kan fnslmss for til Afskibtti1m,\ni Cbicaga Jan-es A. Butten adm\nlor Haob on1, at Prisen paa Mai-I\nvil date cudmc more-, og med Tidcsn\noil dct bidraae til imm- KIdprodnk-·\ntion· «».« »H\nMonm- Bankcsr Haar fallit. Sau\nPaulo, Brasiltmi, R, Jun. Tun-or\npomdom Co. lusr i Vncn or gmust\nfallit. Don-us Fallit immlvvrcsr 46\nPunkt-r i do ftøms Wer i Statcn\nZno Panto. Alle disscs Vnnker blep\nanmdlaat of Jncorvomdom Co.\nTot siqu at flcrr ndonlandskr Fi\nnansinftitntimw er -soltcsdkkedito\ncome-.\n.\nVom-n on Fkgnkrjw Viskoppcn aj\nOrlmns bar ovokfor »Gmslois« cr\nklwret. at Peinen bar meddelt binn,\nat Frankria vil vendcs tilboqc un\nder Pavcstolen· ankriqs reli\nqiøsc Jndflndelle, der bar været\nkcdsaqet af faa vasrdifulde Birmin\nacr. vildc aao til Grund-, derivm\nbot antikleriknle System bedle at\nbestan.\nHorTTagt.««\nWW\n»w-» WM\nLnsdna i sidsns Uge beslnttede\nZkolernndct i Clnszo nted H niod\ns Stcnnnvr at ndelntko Its-»wun\nUjojms on .,«n(-tsmml puritn« sont\nllndcsrnigninngfan fm Born-J Ern\nlist-.\n.\nPolitjkkon bcsgnnder at røre pna\nsin i Minsnssom Win. E. Leu-, Lang\nPfand-»der er progressiv repnblis\nknnsk Wanst-notiertdidnt, rnndcr til\nfor cnhvcr Prisz ikkcs at san mer-)\nnnd ern Knndidnt i Markt-n nnd\nPrimasrnalaet intde Rudern-r Eber\nlmrt. Han stiller qu sclv pan lizns\nFnd mod anim- nrosnoktitns Knide\ndafer.\n.\nAfflmnst Arlnsjdszlsjwln J Port\nland, Lus» linvdo nmn 500 erben-ti\nløfc Mnsnty som lmvde fooct nmtics\n:I««ntloins. Man knin dn ownan om\nnt ville lsndc lnnsr. der vilde arbei\ndr, 26150 om Dom-n for at samlks\nStcn samtnen. Et Pnr Hund-rede\nkoin til Vnknadssnlrn on for-imm\nfin mnnmcndc Lon og Arbcjdcitid\nDa de børtch at Konnnnmsn vnr\nlnsftmnt nnn nt lustnlo 8150 fnr en\nDnns Arlchdc, tmk de fiq nnsd over\nlcacn Dann tillmmu sinds dor.\nI\nlltmat i Chimgkr J ,,Ztand.« af\njidstc Fude lasscsts bl. n.: .,llsasd«\nmutig summt- Nndculukker fmtdt\nZtcsd Lust-dun. Eva lillcs Pigc blu\ndmsbt nf m Eporvomi, on Mund i\n35 Aarcs Aldcsrvn bit-v drasbt as en\nI’ltitoumlsil, ou Tallrt pim dem,\nsont Pan en cllcsr nudon Munde kon\ntil Zkach visd at Mino Werk-w ved\nEnmnnsnslød nusllcsm Nimm-, Imm\nou til over ZU«\nI\nAnnonco for Histkolcislcwr For\nfor-su- Nmm i Vom-J Historiih nusldkssrs\nM- fm Ilklvilndclvbia under II. d-:.,\nlmr man amsrtrwt for at dmnv Eli\nwr. Tot er Stolen-anbot der lmr\nstartet Kannmqncn ved at benledc\nLvitiasrksonclmdm Wo lmilsts For\ndkslks Willimn Ptsnn Hoffknlm by\nder sasrlig unav Maor\n.\nllmsntct Am Fm Kansas- City,\nMo» mosch ander 9. dss., at 21\nTime-r often at J. T. Howcll fra\nCouncil VlnffsT Ja» liavdo liedcst\num ist frit Maaltid Mnd oa is Stcd\nat fovc modtoq ban en telmrafisk\nMcddtslcslsa at en Onkel i Nan\nYork var død ou band-s oftcrladt\ntmm on Arn of 850000\nMod Ealounesk Vtsd det aarligc\nNommunmmlq i Rodtwod Falls,\nMinn., Türk-das i fidstc Unt- bkev\nSaloonerne nodstcm med ist Flor\ntal af 73 Sommer J Fior upd\nfkrmted de med ist Flortal of 16\nStrmmcsr. oq i 1912 stod Stern-ne\nnntallct lims —- en and anqmm\ni Rotnina of Afbold.\nJst-w Bursc- nms Twmmcstcn Jolm\nP. Miit-lieh sont klkytuarödnu over\nLog sit Entbcdc udtalto ved den\nLtsiliglusd Lnsktst om, at der under\nlmnsz Ztnnslsc numtte blink- simk\nM mindre ou arlnsjdet des more\nou at du« umattks finde et til-stiftet\nnasrdiqt Smtmrbthde Stcd melchn\nalle Administratiomsns Ort-ne - —\nMstclnsl valatoss nusd out-kommen\nde Slskuioritot over Tannnayyäs Kan\ndidat, Ja dct sum-s, som man vcntcr\nfiq nusmst nf hom.\n.\nHand chmcidts Saa. wacrnc vi!\nuisindisss. at Muts Scbmidt, der\n»sin Tid var Prwst vcd on katolfk\nKirkc i New York, blcsv anklagt-f for\nat have myrcht Pigon Anna Au\nmüllisr etc. Hans Sag bat nu va\nrot for Netten i New York, mvn ef\nter 36 Timch Votoring erklasrtsdts\nJus-von, at den kkke var i Stand\ntil at ones om en Kcndelfe Den\nanklagt-de- blvv saa fort ttlbaqe tif\nsin Colle.\n»\nHorden raubt.\n»vv—.-V.--.«k.-.\nJordskaslv i Uraskcnlnnd. Athen,\n7. Jau. Et smsrtt surdskaslo uoldtcs\ni Gaur stor Stade paa Ejmdom i\nProvinjeruc Elis ou Pcloputtccs.\nI\nJødertns I Russland-. Ohr-Osa, Hin-J\ntand, U. Jan. J Skartshch m\nfolkcriq Rot-sind til Ludz, uugrcb i\nHat-dass on fanutifk Folkchub TM\ndcrne ug plundrrdc den-«- Hnso og\nBin-findet Ecxjten Jøder og trc\nJødjndcr lilcv ulvorlig sann-t. Trop\ncpmus undertmktedo Lplølnm\ns\n« Ztor Meteor : Fraun-ig. Paris,\nFU. Jun. Folk i der lnsftlims Frank\nIrm san i Astris en nier Meteor.\nder førft blcv iaattacht i Tours-,\nfan- lusnotusr Hiunntslm Tot lnslo\nfna nd sont et lmmt Toq nf lmido\nFlamnustx der qik mod on forfwrdcs\nIlig Fort. Tot lcdfathchs of en\nIMaande fryqtcligc Eksplosiouer,\nHain fnustr Mude Meteoren faldt\nist-d i Søcn baa ved Paimprl vod\n»den engelfke Kaval, oq den noldtcI\nTon faadan Lin-m, at Folk trat-du at\ndet var et Jordskasln\nNød i Allmtiiisn. Wien-, 12. Jan.\nJ Privatbrrvcs fm leiona fortaslleT\nat i Albanicn lnsrsker Dnrtid og An\nnrki. Pan Grund uf Pisimismnnqisl\nstaat alt stille i Form-tuUms-verdr\nHiisIL Tor udførissi inm, ou Jud\nIførselcu or fiin ringt- ut Tit-solc\nYningen muss af Hat-freut Hungers\nnot-. Priferms pim Mel oa Kød ck\nnlmro lmjcn ou imdisn Fødcvarc kan\nimnskchg opdrinisizi. Vormi- ou\nLandsbmsrne er oncrivømnnst as\nInmier d» optmsder saa trink-n\ndi-, nt do iiwritusft kan betrogne-:\nsoni Riner Di- rcisende fmnr al\ntid i Fun- for at blind pinndnst ou\nnmrdist.\nI\nllnisir i Schweiz. Vora, Schweiz,\nl:3. Jun. Floderne i Schweiz stigm\nnnrtiq paa Grund af Tøvcjret, og\ndisk isk stor Fare for Skrcd. J Pen\nnsnbcm blev en lille Pige rcvet\nDort. Vcd Martigny hat et Stde\niiffkimtist Forl)"11dc-lspn mod Clmble\nou Sembrancher. St. Gottbards oq\nArner on Armftisin-«!Ianc-rncs:sZkin\nnmanu isr blisvct affkanrist as suasris\nZur-sind oq ist Tag blisv nfsporet as\nist wad visd Vodensøcii Tom-ais\nsan ikkts zum imsllcm St. Wolltin oq\nSpeicher Dist lmr fnisist oq regnet\nunfladislia i to Tann, san der er stot«\n»Dort-spottweise Bodens-en stiuisr\njmm ou fimsirncnde Moqu.\ni I\ni ."3«-li«1ektt-Ec1k1("sl. Følqende er ri\nInn-Umriss forelølsiq Llfslntnitm nf\nIen Zim, sont i ftere lluer lmr lnsldt\nTuskland j Epiendxtw\nStandban Elsas-, W. san.\nLderft v. Reuter da Løjtnant Schad\nsosn var fat under Tiltule for nt\nlnwe lmndlet nlonlint Inod Jndbug\ngerne i Rudern, blev i Tau fri\nkendt nf Wink-retten RettensJ Puls\nIsident fande, idet lmn fortlarte Tom\nnsen, at det var bevist, at Reqimen\nltetcs Officeker var smdin blevet in\nIsnltetet af de civsle. sum endon knw\nYde kostet Sten pim dens. Ved een\nAnledninq bten der oqsna skndt. Net\nten tun-, faade ban, overbevist otn,\nat de civile Myndigbedet ikke hav\nde vist den tilbørliae Enemi i Net\nninq as at fastte en Stower for\nMat, on Officererne aiorde Net i\nat arresterc dem, sont lmvde for\nnasrmet dem. Omkosmitmerne skal\nbetales as Staten\nPuven on den verdsline Maqt\nVna en Katolikkonares i Milmm\nndtcjlte Ærkobifkoppcn af Udine for\nnvlkq, at Paveftolen ikke lasnaere\ntwnkte pnn at acnoprette Pavens\nverdsliae Gerad-rnan den vilde\ntvwrtimod føle sia tilftedsfttllet\nlwis der blev fkabt international\nGarantier for Pavcdømmets Uafs\nbwnqiqbed Det pavelige »Obferva·\niure Romano« udtoler imidlertid\nat ingen hat vasret bunyndigct til\nat afuivcs noan Erklasring paa den\nkwllige Stolsz Vegmn Dct har hel\nler ingen vjllct Hort-; tlii det er al\ndclcsirs jfkis lusvift, at Wuoprettclsen\nnf Waden-:- visrdisligc Meint äkke\nknnde ble on politifk klkøduocIdig—\nbed.\nHornu—anc--Enkusn. sama-komis\nforsøxusnc stmndor. London, 7.— Jan.\nVladxst ,««.Uc’orninq Post«, der støttcsr\nlhtionisumrtict, sinkst, nt Kaufen-n\nsksn mollcnt Promierminstsr quuitb\nou Ommsitinnenss Fønstx Andre-w\nmer Lam, om Hotuc anc for Ir\nlnnd ika føms ti-s nagt-t. Vlndct\n»aus-nur« at Oaabist om et Kotnpros\nmIss man npgivksikx Mr. Assanitb\n5fnl have Imsttvt at am mrd par-,\nnt Ulfnsr sknldks slippr fri for at’\nkommt-» nnd-er den ums Lon, felv\nmidlcsrtidiq. Thomas Wnllaco Nur\nsoll faqdis i Afteäa nt lmics der bit-v\nTon-n- i Ulsthn vildts Rom-ringen\nqivo dem 2-1 Tinusr til at nodhmxw\nVaalusmsrnc Gan ists-jede at Home\nane Forflnmst tilde blivc Lov nas\nftcs Sommer\nJødtstirolialnsdisr i Numcknicsn\nJ Jus-Hin i Nimmsniisn kom dist Som\ndaq den BR. Tisc. til alvorlicus Sam«\nmonfiød mellcsm Jødisr oa Sachl\ndcsmokrathr paa dtsn one Side oq\nAntisismitor on Militwr pan den mi\ndon. Milftwrct nmatte uøre Vnm\nus Vajoiiottisnic. Antiieniitifko Stu\ndenter overfaldt Jødcrms med Pwal\nou flog Vinditerne ind i iødiskc Hu\ns(-. Stasrke Husinatrouillcr droa\nqcsnnem Vor-n og fort-Log talrige Ar\nrosmtionisu\n.\nKoffer og Sosialdemoqut Undcr\nM tuka Keisprpars Visføa for nn\nliq i Miichcsn vor dot- stor Muth\naelfis Pan Naadlmfcst. visd vallon\nLisiliqlnsd Koffer Willnslm mktis\nIliiisstfornmndcn i Vomismspmsfeuto\ntionesn, Eocinldisinnkmtisn Witti.\nHaandeik oq Kisjforindvn fest-to en\nliwigero Smntalo nicd lmni. »Vor\nwwrts« tin-nor, nt livis dette er rig\ntigb vil Hör-. Wittis Huldniim mode\nden skorpisftc Misbilliqelfe lios bans\nPartifwllor.\n.\nAlbaniowz Furqu Neu-Wird 29.\nDecember Eiter tmnd ,,Neu-Wiisdc\nrisr Leitung« ist-sonst fm sikkcr Kil\ndr, link Prinss Wilhelm til Wicd\nliidtil iklis itsodtnmsk noacn Depittæ\ntion fm dist allmnosisko Folk, oq dct\nor ksndnn ika befme nimr on lwor\nen saadan Modtaqclsis vil finde Sied.\nPrins Wilhelm sorblivcr indtil Nyts\naar i Neu-Wird oa vondor disrestrr\ntillmue til Posdmn Der er isndnu\nIf I « « « «. -\nk« Tkl..«.". pigxioiitmnrr aiment-irde\nPrinfonis endcliqcs Afrcsfscn Det me\nIiis-:., at Titmzzo sknl vaer sont-d\nftnd i Fnrswndømmet Allmn«cn.\ni\n;I)nan lnsrfkvtt PMin PL. Jan.\nTot kincsfisfc Parlament der i fle\nns Tllkaancdor praktisk talt ika hat\noft-Hirten blcv i Gaar vcd csn Pro\nflancation opløst. Ncsarriums-mach\nder nu siddor vod Maatth aodkcnds\nto Forstaavt. disk- skal vaer konnswt\nfra Nemtblikkcns Vicoprwfidvnt,\nGeneral Li Yuan Heim, oa dcs mili\ntaer oa civilcs Gnvrmønsk i alle\nProvinscr. Dis fandt i December\nat Parlammtot fkuldcs opløsps, on\nMagie-u ovcrdrakuss til Prasfidcsntm\noa hans Raub\nDet bcddcsr i Proklamationen, at\n»Parlannsntest vil blivis sammenkaldt\niacsm naar det findt-s nødvendiat.\nDrt or Meninaem at Regt-rings\nraadist nu skal udarbcidc en Grund\nlon. Naadvt bar 71 Modlommcsr on\nboftaar af Macriuacns Medlommer\nna andre Masnd, fom er ndnasvnt\naf Prasfidmks Ynan Sbi Kai, samt\naf Mauern-kehre i Mvincernr.\nFinidlcrtid trucr tu- modtsratcs Med\nlommer af bot ovløfte Parlament«\nmisd at drive en fredtslka Aaikation\ni Vrovinsernc mod Prassidentens\nsandkomaade Der vifor fia onsaa\nTean til, at de vderliaaaaende tren\nkor vaa at faa i Stand et nsjt Op\nwr', 'edition_label': '', 'publisher': 'Jersild Pub. Co.', 'language': ['Danish'], 'alt_title': [], 'lccn': 'sn86086559', 'country': 'Nebraska', 'batch': 'nbu_fourtusker_ver01', 'title_normal': 'danskeren.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn86086559/1914-01-14/ed-1/seq-1.json', 'place': ['Nebraska--Washington--Blair', 'Wisconsin--Winnebago--Neenah'], 'page': ''}, {'sequence': 1, 'county': ['La Crosse'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn86086186/1914-01-16/ed-1/seq-1/', 'subject': ['La Crosse (Wis.)--Newspapers.', 'Wisconsin--La Crosse.--fast--(OCoLC)fst01207161'], 'city': ['La Crosse'], 'date': '19140116', 'title': 'Nord stern. [volume]', 'end_year': 1921, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Available on microfilm from The State Historical Society of Wisconsin.', 'Description based on: Jahrg. 1, no. 2 (6 Dec. 1856).', 'In German with some columns in English.', 'Supplements accompany some issues.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'La Crosse, Wis.', 'start_year': 1856, 'edition_label': '', 'ocr_ger': 'Der „Nordstern" ist\ndie einzige repräsentative\ndeutsche Zeitung von La\nCrosse\n57. Jahrgang.\nTnist-BMast.\nSchaffung einer Zwischenstaatlichen\nHaiidelskommission der\nHauptpunkt.\nWashington. 14. Jan.\nPräsident Wilson setzte am Dienstag\nden Mitgliedern de Cabineis seine\nIdeen über die Beziehungen der Re\ngierung zu den großen Coiporaiionen,\ndas Feld, welches die Aniilrustgesetz\ngebunq IN der gegenwärtige Session\ndes Congiesses bedecken, sowie den\nGeist, von welchen diese Gesetze seiner\nAnsicht nach beieelt sein sollte, ausein\nander. Friede und mchr Krieg, freund\nschaftliche Vermittlung und nicht feind\nlicher Antagonismus, und dennoch ein\nProgramm des Ausbaus, durch welches\ndie Ungewißheit über die Antitrustge\nsetze eltminirl und das Wachsthum der\ngroßen Geschäfte und Industrien gesör\ndert wird, das sind in große Zügen\ndie grundlegenden Prinzipien der Pläne\ndes Präsidenten, welche in der Spezial\ndoischatt enthalten sein werden, die\nnächste Wocke in gemeinsamer Sitzung\ndes Congresses zur Verlesung g-langen\nwird.\nDer Präsident legte dem Cabinet\nda Dokument vor und war den ganzen\nNachmittag über mit unbedeutenderen\nAenderungen beschäftigt, dir aus der\nCabinelssttzung rcsul\'.inen. Mitglieder\ndes Cabtnels sprachen sich begeistert\nüber die Botschaft aus und versicherten,\ndaß dieselbe eine fortschrittliche Erklä\nrung sei, welche der Geschäftswelt die\nGarantie geben werde, daß die Admini\nstration die ehrliche Absicht habe, sie\ngerecht lind ohne Borcingenommenheit\nzu behandeln. Heute wird Präsident\nWilson die demokratischen Mitglieder\ndes SenalskomiteS für zwischenstaat\nlichen Handel und deS Justizkomiles\ndes Hauses mit seiner Botschaft be\nkannt machen. Soweit man bis jetzt\nüber diese Botschaft unterrichtet ist.\nwird sie die folgenden Hauptpunkte ent\nhalten:\nErstens Amendirung der Sher\nman-Akle, damit die debatlirbaren\nPunkte aus ein Mindestmaß beschränkt\nwerden.\nZweitens Verbot gemeinsamer\nDirektoren in verschiedenen Firmen.\nDrittens Größere Verantwort\nlichkeit der schuldigen Individuen bei\nallen lleberrretungen der Aniirrust\ngesetze.\nViertens Schaffung einer zwi\nschenstaatlichen Handelskommission, die\neinmal ein Jnsormations-Bureau sei\nund dann durch Untersuchungen fest\nstellen soll, ob etwaige Auflösungs\ndekreie und sonstige Genchtsbesehte be\nfolgt werden.\nDer llei henkle Eiililirnl.\nBor kurzem haben die Geographen\ndaü nahe Ende eines der ruhmreich\nste! und schönsten Ströme der Welt\nangekündigt: den Tod des heiligen\nEuphrat. Er stirbt unter der Sand\nwelle, die seinen Wafferlauf allmählich\nverschüttet, einen Lauf, der für die\nEwigkeit bestimmt schien. Aber lang\nsam ist der Euphrat vor den eindrin\ngenden Sandmassen zurückgewichen,\nund jetzt rüstet er sich vollends zum\nSterben, wie vor ihm die Wunder\nstädte dahingesiecht sind, die sich an\nseinen Ufer erhoben. So verschwin\ndet mit ihm eins der Weltwunder, das\nder Phantasie die lachendsten Bilder\nvon Glück und Wohlstand vorzaubert;\ndenn mit dem Nil zusammen ist der\nEuphrat der berühmteste Fluß der\nErde, der die älteste Zivilisation der\n„heidnischen Welt blühen und ver\ngehen sah." Ja, die jüngsten Ent\ndeckungen haben sogar den Beweis er\nbracht, daß er überhaupt wohl die\nälteste Zivilisationsquelle darstellt,\nweil allem Anscheine nach die Begrün\nder des Pharaonenreichcs vom Persi\nschen Golf kamen. Es war die chal\ndäiscke Technik, die der ägyptischen\nKunst die Mittel zu ihrer Entwick\nlung gab.\nMesopotamien war im Innern eine\nvon der Sonne ausgedörrte Wüste,\nund allein die Kanalisierung des\nEuphrats brachte es fertig, diese\nWüste der Kultur zugänglich zu ma\nchen. Jahrhunderte gingen darüber\nhin, bis das Werk zustande gekommen\nund die Wüste zum Ackerland gewor\nden war. das große Städte erstehen\nund blühen sah. Die Hartnäckigkeit\nund die Kraft des Menschen haben\nhier die Natur überwunden; aber bald\nkam die Zeit der moralischen und po\nlitischen Entartung, die alles verän\nderte. Als die menschliche Energie\nder Verweichlichung Platz machte,\ntrocknete der Boden wieder aus, und\nder Sand nahm vom Wasserlaufe\nBesitz. Unter dem Staubregen star\nben die Wunderstädte dahin und erst\nvor etwa fünfzig Jahren gelang cs\nden Archäologen, die versunkenen\nStädte von Ninive und Babylon wie\nner ans Licht des Tages zu bringen.\nDamit erwachte auch der Euphrat zu\nneucr Tätigkeit. Unzäh\'ige Ladun\ngen von Terrakotten und Statuen\nund Kunsttlümmern gelangten auf\nibm zur Verschiffung. Doch es war\nnur ein kurzes Eintagsleben. das dem\nfteiligen Strome betchieden war. Heute\ntiezt er wieder still, vergessen, und\nrüstet sich endgültig zum Sterben, aus\ndem es kein neues Erwachen gibt.\nf Nordileä or Sroiit, 81.\nNach Fort Bliß.\nSekretär Garrison ordnete die Hefter\nführunz der mexikanischen Sol\ndaten dorthin an.\nWashington. D, E-. 18. Jan,\nAlle mexikanischen Regierungssolda\nten. welche sich jetzt in der Obhut der\namerikanischen GrenzpalrouiUe in Pre\nsidio, Tex., befinden, werden nach Fort\nBüß gebracht und dort auf unbestimmte\nZeit belassen werde, Sekretär Garri\nson gab am Moniag Nachmittag diese\nOrdre und verfügte gleichzeitig, daß die\nflüchtigen Frauen und Kinder die Sol\ndaten begleiten können, wenn sie eS\nwünschen.\nUngefähr 3000 mexikanische Osfiziere\nund Mannschaften von Huerta s Ar\nmee habe den Rio Grande überschrit\nten. als die siegreichen Rebellen in\nOjinaga eindrangen, und mit ihnen\nsind 1500 Civilisten, Männer. Frauen\nund Kinder, gegangen, die auf ame\nrikanischem Boden vor den Rebellen\nZuflucht suchten. Letztere sind nicht j\nGefangene, sondern diirfen gehen und\nkommen wie eS ihnen beliebt, ohne\nvon den Militärbehörden daran ge\nhindert zu werden, wenngleich sie eine!\nUntersuchung seitens d r Einwände-!\nrungsbehvrde zu bestehen habe wer\nden.\nVorbereitungen für den\nM arsch.\nPresidio, Tex,. 18. Jan.\nSechs Generäle der mexikanischen\nBundesarmee, 3300 flüchtige Soldaten\nund 1500 flüchtige Civilisten, die letz\nten Samstag von General BiUa\'S Re\nbellentruppe aus Ojinaga, Mex„ ver\ntrieben wurden, mußten sich ain Mon\ntag auf einen vier bis sechs Tage\ndauernden Marsch vor: 67 Metten nach\nMarfa, Tex., vorbereiten. Die Sol\ndaten werden aus unbestimmte Zeit in\nFort Bliß untergebracht werden. Ma\njor McNamee hat Vorbereitungen ge\ntroffen, damit die Mexikaner sofort ihce\nQuartiere beziehen können, wenn sie in\nMarsa eingetroffen sind.\nAntorascr in\'s Gefängniß.\nSan Francisco, Cal.. 13, Jan.\nDer Millionär Richard McEreery\nwurde am Moniag im hiesigen Polizei\ngericht wegen Ueberrreiung der Ge\nschwindigkeitsgesetze für Automobile zu\nfünf Tagen Haft im Couniyqesänginß\nverurtheilt. Tie Alttounfälle haben sich\nin der letzten Zeit derart gehäuft, daß\ndie Richter sich entschlossen haben, Haft\nftraftn an Stelle der Geldstrafe zu\nverhänge, um dem Uedelstand abzu\nhelfen.\nD.u iruM und Mcr.\nProfessor Metschnikow Arbeitet, wie\nbekann\', im Pariser Pasteurinstftrit\nseit langem daran, die Ursachen des\nfrühzeitigen Alterns zu ergründen.\nDie Beobachtung, daß die Lebens\nlange der Tiere im umgekehrten Ver\nhältnis zu der Länge ihres Dickdarms\nsteht, führt Metschnikow zu der Ver\nmutung, daß die im Darm vegetieren\nden Bakterien an dem vorzeitigen Ver\nfall unseres Organismus die Schuld\ntragen. Die von diesen Mikroben\nproduzierten Gifte sollen die Ursache\nunseres kurzen Lebens und der\nKrankheit unseres Alters sein. Tier\nversuche ergaben Degenerations-Er\nscheinungen und sogar Tötung der\nTiere durch solche Darmgifte. Zum\nBeispiel verursacht das Indol, ein\nProdukt der Darmfäulnis, das als\nlangsam wirkendes Gift die bekannten\nAkterserscheinungen hervorruft, vor\nallem die Arteriosklerose, die chronische\nEntzündung der Nieren, kurzum Er\nscheinungen, die für den im Alter ein\ntretenden Verfall charakteristisch sind.\nMetschnikow schlug zuerst, um die\nProduktion solcher Gifte in unserem\nDarm und damit die Altersdegenera\ntion zu bekämpfen, vor. Milchsäure\nbakterien zu verspeisen, da Säure den\nFäulnisprozeß hindert. Diese brau\nchen aber einen zuckerhaltigen Nähr\nboden. Nun dringt der mit der Nah\nrung ansgenommene Zucker nur höchst\nselten dis in die unteren Darmpar\ntien, und die Milchsäurebakterien ver\nmögen daher gerade an der wichtigsten\nStelle den Kampf gegen die Fäulnis\nbakterien nicht aufzunehmen. Es\nmußte danach, wie die „Naturwissen\nschaftliche Wochenschrift" berichtet,\nversucht werden, eine Produktions\nquelle von Zuckerstoff im Dickdarm\nselbst zu finden. In der Tat konnte\nein Darmbakterium ermittelt wer\nden, das Zucker aus Stärke bildet,\nohne die Eiweißkörper anzugreifen.\nDas zuckerbildende Bakterium paßte\nsich den Verhältnissen im menschlichen\nDarm überaus aut an und erwies\nsich absolut unschädlich, und di In\ndol- und Phenolbildung im Darm\nwurde sowohl bei Tieren wie bei\nMenschen bedeutend herabgesetzt. Zur\nUnterstützung der Wirkung empfiehlt\nes sich. Kartoffeln in jeder Zuberei\ntung zu essen. Außerdem ist es not\nwendig. den Fleiscbgenuß soweit wie\nmöalich einzus ranken. Das zucker\nbildende Bakterium lüdet den denkbar\nbc\'\'en Nährboden für das Wachstum\nund die Anffcd\'.nng der Müchffä\'. rQ:k\nterien im Darm. und erst im Zumm\nmcnwirken bien:\',:; erzielt man die\nvolle Wirkung.\nBcrMlicitcr-ft>iuct\nI\nIceue kosincoittraktc sind die l>aupl\naufgabe der Nniked INine I\'Oor\nkers os America.\nIndianapolis, Jnd., 18. Jan.\n178 i Delegaten, welche 415,000 Mit\nglieder vertreten, werden dem 24. liiler\nnationalen Convent der Unncd Mine\nWorkerS os Amenca beiwohnen, welcher\nani 20. Januar hier eröffnet und drei\nWochen dauern wird. Es wird die erste\nVersammlung unter der neuen Consii\nl\'ilion sein, welche vorschreibt, daß der\nCvt\'venl alle zwei Jahre abgehalten\nwerd\'il muß.\nj Nack\' der Erklärung von Präsident\nJohn P, White wird es zu teliiertel\nFaklions.\'ämpsen kommen. Er fügte\nhinzu, die Zahl der Mitglieder habe\nsich in den letzten beiden Jahren nahezu\nverdoppelt. Die Hauptarbeit de Con\nvents wird die Festlegung des Lohn\n- contrakls sein, welcher an Sl-Üe des\n!am 81. März 1914 erlöschenden treten\n! soll, welcher die Kohlengrubenieute be\ntrifft. Tie Delegaten erden bestim\nmen, welche Forderungen von den Ar-\nbeiter gestellt werden dürfen.\nArveilssekreiär Wilson. Senator Kern\nund Dr, I, A, Holmes, Chef des Bun\ndesbureaus für Grubenwefen, haben\nunlcr Anderen Einladungen erhallen,\neme Aujvrache vor de Tetegale zu\nhalten.\nTratMlische Tlrnfe.\nOickland, Cal,, 14, Jan.\nWeil der 25 Jahre alle TANARUS, C, gulls\nWerkzeuge im -„erlh von 75 Cenis ge\nstohlen Halle, wurde er am Dienstag\nvon Richter Frank B Ogden in Oak\nland. Cal., aus acht Jahre nach dem\nSa Quentin Gefängniß geschickt. Der\nRichter begründete da Urtheil damit,\ndaß Fulis im letzten April unter Pro\nbaiion gestellt worden sei, daß er gegen\nden Wunsch de ProbatioiiSbeamttn\ngeheiralhel, sich häufig betrunken und\neinmal seine junge Frau mit einem\nRevolver bedroht habe.\nCtiina\'s Parlament aufgelöst.\nPeking, 13. Jan.\nDa chinesische Parlament, welches\nbereits seit Monaten existenzlos war.\nwurde am Montag durch eine Prokla\nmation von Präsident luanschikai for\nmell ausgelöst, nachdem der Berwal\ntungsralh der Republik seine Zustim\nmung gegeben holte. An dem Per\nwalluiigSrath wird es jetzt sei, eine\nBenassung auszuarbeiten. Diese Kör\nperschaft zählt 71 Mitglieder und zählt\ndie Cabineismiiglieder und die Pro\nvinzialgvuoerneure, sowie andeie vom\nPläsidenten ernannte Männer zu Mit\ngliedern.\nIn der Zwischenzeit werden die ge\nmäßigten Mitglieder de Parlaments\nin allen Provinzen der Republik eine\nfriedliche Campagne gegen diese Schritt\nvon Präsident luanschikai l i die Wea\nteilen, wahrend die Exiremen ver\nsuchen werden, eine neue Revolution\nanzuzetteln.\nWiiö i.\'r l.i.c drehet?\nJeder hat schon civnnil eine Brehe!\nglgeffen. Wie viele wissen aber, was\ndieses Wort eigenNich bedeutet? so\nfragt Adolf Stöbet in einem hübschen\nAufsätze über Volksetymologie, Und\ndoch hat Jeder, der darüber mit un\ntergeschlagenen Armen nachsinnt, im\nwahrsten Sinne des Wortes die\nBretzel vor sich, denn sic ist nichts an\nderes als eine Nachbildung seiner un\nterschlagenen Arme, freilich imKleinen.\nDenn sonst würde sie Bretze heißen.\nBretze ist nach Jakob Grimm „ein in\nGestalt untergeschlagener Arme ge\nbackener Brotring und Bretzel die Ver\nkleinerungsform. Dies Wort ist aber\nnicht urdeutsch, sondern es kam zu uns\naus Italien, und hängt mit dem\nitalienischen „braccio" zusammen."\nDie Italiener nannten nun dieses\nnach beiden Armen geformte Gebäck\nmit dem Plural „bracci", und daraue\nentwickelte sich das deutsche Bretze-\nGebäck. von dem nur noch das Dimi\nuulivum Bretzel erhalten geblieben ist\nEine unverkennbare Verwandtschaft\nhat die Bretzel, die gewiß Verhältniß\nmäßig jungen Ursprunges ist, mb\neinem einfacheren und viel älteren Ge\nbäck, das von seiner Gestalt her einer,\nurdeutschen Namen trägt. Es bilde!\neinen Kreis, einen Ring, und heißt\ndeshalb Ring oder Kring, woraus\ndann genau wie bei der Bretzel die\nBerkleinerungssorm Kringel sich bil\ndete. Ter „Kring" als Gebäck ist\naber noch nicht lange ausgestorben.\nNochum 1780 schrieb z. B, Merck aus\nDarmstadt an Goethe: „Meine Frau\nläßt schon einen Pfingstkringen mehr\nfür Sie backen", und in dem 1865\nerschienen „Namenbüchlein" von Vil\nmar erscheint sogar noch der „Rinken\nbäckcr", der die „Riim-" macht. Es\nist sehr begreiflich, daß sich erst in\nverhälinißmäßig später Zeit die Di\nminutivformen zur Bezeichnung der\nGebäcke herausgebildet haben. Denn\ndie ältest.n Gebäcke zeigten sicherlich,\nwie die einfachste Gestalt, so auch ein\ngroßes Maß; erst später sind sie dann\nkle.n und in der Form künstlich ge\n! vordem\nCrosse. Wis., Freitag, den u;. Januar l.\nGciicMlmk.\nSämmtliche Gewerk,Misten in\nSüdafrika stimmten i,, diesem\nSinne\nKapstadt, Südaircka zg Jan.\nIn ganz Südafrika wurde am\nDienstag Abend der Generalstreik von\nden Arbeiterverbänden und den Gru\nbenarbeitern de Rand-Distriktes pro\nktamirt: erstere waren t zu I, letztere\n2zu 1 lür den Streik, Die Regierung\npcoktannne als Gegenzug da Stand\nrecht.\nIn Johannesburg ist der Bahndienst\nwieder veffer geworden: u, Natal sieht\ndie Lage dagegen schlimm aus, und au\ndem Oranje Freistaat lausen überhaupt\nkeine Nachrichten ein.\nDie Behörden geben sich verzweifelte\nMühe, möglichst viele eingeborene\nschwarze Arbeiter nach Hause zu schicken,\nehe e zu dem vielleicht unausbleiblich, n\nZusammenstoß kommt; alle farbigen Ar\nbeiter dürfen schon jetzt nach Einbruch\nder Dunkelheit ihre Quartiere nicht\nmehr verlassen. Die Lage wird von\nden Behörden schon so ernst angesehen,\ndaß die Mitglieder de CabinellS nur\nnoch unter starkem bewaffneten Schutz\nausgehen. Ueber hunderttausend Bur\nger stehen bereits unter den Waffen,\nund wettere melden sich immer noch auf\ndie von der Regierung angeordnete\nMobilmachung der Bürgenvehr hin,\nBesonders energische Maßregel sind\nin der Umgebung von Pretoria und im\n„Rand"-Gediet getroffen worden, wo\nan allen strategisch wtchiigen Punkten\nstarke bewaffnete Abtheilungen postln\nsind.\nRegierung ist unerbittlich,\nKapstadt. 15. Jan,\nDer gestern pcoklamiric Generalstreik\nbeschränkte sich am Mittwoch auf den\nOranje-Freistaat und Transvaal, Das\nSrandrechl wird im Oranje-Freistaal\nstrikt gehandhabt. Tie Presse wird\nner strengen Zensur unterworfen. Die\nStrecker dürfen ihre Wohnungen nicht\nverlassen, auch darf die rolhe Fahne\nnicht gehißt werden, noch dürfen dre\nKameraden irgendwie unlerstützr wer\nden.\nNachdem am Dienstag Abend die\nsämmtlichen organisirten Arbeiter in der\nsüdafrikanischen Republik, -n General\nstreik proklamirt haben und die Regie\nrung daraus mit der Erklärung des\nliandrechls geantwortet hat, ist der\nStreik der Bahnangestellleii, der den\nAnstoß zu den jetzigen Wirren gegeben\nhat, nebensächlich geworden. Es han\ndelt sich jetzt vielmehr um einen Kamp!\ndes Staates gegen die Arbeiierverbände,\nTcr Präsident zurück.\nWashington, 14, Jan,\nPräsident Wilion und seine Angehö\nrigen trafen am Dienstag Morgen l:8>\nUhr vo Paß Christian, Miss,, wo iie\ndie letzten Wochen verbracht Hane,\nwohlbehalten in Wastnngton wieder ein\nund begaben sich sostn im Aulomvbil\nnach dem Weißen Halite: dos Thermo\nmeter zeigte um diese Zritur l 8 Grad\nüber Null, für die aus dem Süden kom\nmenden Reisende eine ganz ungewohnte\nTemperoiur. Tie Reise vertief ohne\nZwischenfall, der Präsident wurde un\nterwegs überall ledhcni begrüßt, enthielt\nsich indes aller Ansprachen; sein Befin\nden ist ausgezeictmkl\nWerden wieder beschäftigt.\nChicago, 14. Jan,\nIn den Werken der United Steel\nCorporation i Souib Chicago wurden\nam Dienstag dreuauienv Arbeiter, die\nseit dem 15. Dezember beschäftigungs\nlos waren, wieder eingestellt.\nH. K. Thmv kein (Yemcili\nschcidkli.\nConcord. N, H„ 18, Jan,\nHarry K. Thaw wurde nicht eine\nGefahr für die Allgemeinheit bilden,\nwenn er gegen B rgschofr entlassen\nwird. Dieser Gutacknen wurde von der\nvon Bundcsrichler -brich ernannten\nAerztekommissio abgegeben, die den\nGeisteszustand des cders von Stan\nford Whire untersuche sollte. Es heißt\nin dem Bericht, die mmission sei zu\ndem Ergebniß gekonn en, daß Thaw an\nkeiner Geistesstörung idn, von welcher\ner befallen war. als - White erschoß,\nTer Bericht befind- : sich jetzt in Han\nden des GrrichlSscl i ider und wird\nRichter Aldrich bei ?m noch in dieser\nWoche erwarteten Un eil über das Ge\nsuch ThawS, ihn ge - Bürgschaft frei\nzulassen, als Grün e dienen\n18" Wundervolle Husten-Medizin\nDr, King\'r New I Scovery ist ülw.-\nall dekanni als e:n Mittel, welche\nsicher Husten oder L \' liung kurirt, D,\nP Lawson von Ed , Tenn,, schreibt:\n„Tr, King s New 7 Scovery ist die\nwundervollste Med n kür Husten, Er\nkältungen, den Ha. and die Lungen,\ndie ich je in mein-- Geschäft verkautt\nhabe," Ties ist n weil Tr, King s\nNew TiScovery d jährlichsten Er\nkältungen und Hl \'owie Lungen\nkrankhellen lehr -l kuiin Tie\n> seilten eine Flaicb.- leder Zeit im\n! Haute haben iur Mitglieder der\nFamilie, 50c und Bei allen Apo\nj tüekern oder ver . -H. E Bucklen 5.\nl Co„ Philadelphia- c Sl. Louis, Anz\nZn clstcr Slliiidc.\nSeciisundneun.zict \'Nanu von der\ngestrandeten cLobegutd ,etzt in\nSicherheit.\nParmouih. N, S,. 15, Jan.\nNachdem bklnade jede Hoffnung aus\ngegeben war. wurden Passagiere und\nBesatzung de DampserS „Cobeguid"\nvon ver Royal Mail Sieamship Co,\nMittwoch Abend von dem an einem\nFelsenriff zerschellte Schiss gerettet und\nbefinden sich jetzt hier in ausopfernder\nPslege, Die drahtlosen Hülseruse, welche\nda verunglückte Schiss vor 8> Stun\nden abgesandt hatte, Halle erst in elf\nter Stunde Erfolg, als der Capitan\nschon jede Hoffnung ausgegeben haue,\ndaß Rettungsboote an den aus dem\nTriniiy-FelS, sechs Meilen von Port\nManlond entfernt, an den vom Sturm\nin Trümmer gerissenen Damprer her\nankommen würden. Die Rettung wird\nin den Annalen der Schifffahrt als\neine der kühnsten verzeichnet lem, die >e\nan der allaniischen Küste vorgenommen\nwurden.\nDie Cobcq iid wurde bereit von der\nhohen -ec in Stücke gerissen, denn die\nhaushohen Wellen waren ununterbro\nchen über das Deck gegangen, seitdem\ndas Schiff Dienstag vor Tagesanbruch\naus den Rifs gerathen war. AUeiilhal\nben war da- Wasser in der Nähe mit\nTrümmer des Dampser bedeckt, al\ndie Rettungsboote anlegte. Die Küsten\ndampser West Port und John L, Cann\nwaren die ersten Schiffe, denen eS ge\nlang. Rettungsboote herabzulassen, und\nihnen zolgten bald die Boote de\nRegierungsdampserS LanSdowne und\nder Rappahaiinock, AIS die ReitungS\narbeit >m Gange war, glätteten sich\ndie Wogen, und so konnte die Rettung\nohne weiteres Mißgeschick vollzog,\nwerden,\nCapilän McKinnon von der West\nPort fand die Codequid am Mittwoch\nNachmittag um 4 ,2(! an der südöstlichen\nFelskanie von Tciuiiy, Tie See ging\nhoch und der Sturm raste. In drei\nLadungen brachte McKinnon 72 Perso\nnen. darunter sämnitlichr Passagiere,\nden Zahlmeister, mehrere Deckosstzlere\nund eine Theil der Besatzung >n\nSicherheit, Die West Port stand bei\ndem verunglückten Dampser bi 6:11\nAbcidS. Um diese Zeit erschien die\nJohn L. Cann. welche 24 Personen\naufnahm, wahrend die West Port nach\nAarinoulh fuhr.\ndttt Gerichlttt.\nEin schwarzer Buiniiiler Namens A,\nRiplcy, der immer tvieder aus der Po\nlizeistalivn m Nuchiguartier bestelle,\nwurde von Richter Brliidtey aus dreißig\nTage in der Pastille schön versorgt,\nAlfred Cvonty der von T. Svlberq,\nI-I8 Berllnstraße, einen Sweater\nstöhle, wulde au, zwanzig Tage eben\ndort versorgt, und genau so auch Da\nPara, jener hatbverluckter Kerl, der in\nHauser eintritt und sich dort zu Hause\nmachen will; zuerst that er dies im\nHause von Jodn M, Holle, jetzt aber\nist er i der Pastille daheim,\nM, I, Gleaso von Waukon. Ja,,\nwar mtt einer Rolle Geld nach La\nCrosse gekommen und trank daraus IoS\nbis dieselbe aus eine Bagatelle zusam\nmengeschmolzen war. Jetzt wird er den\nRest dem Poliznrichier zahlen müssen,\nL, L, Brown, ein Expreßagent, ver\nklagte Linker Bros, aus H2tt<)tt Scha\ndenersatz, weil er sich in deren Geschäst\nvon einem Chiropodisten die Hühner\naugen schneiden ließ, was dieser so\npsuscherhasi gethan haben soll daß\nBlulvergtsiung daraus entstand, Ter\nFall kommt nächste Woche im KreiS\ngericht zur Verhandlung,\nIn dem Falle von Mary Haugen\nvS A, Wingstad konnte die Jury sich\nnicht einigen.\nkohle vom Lüdpol.\nIm Londoner Nalurhistorischen\nMuseum ist nun eine der inlereffante\nste Reliquien der Scottschen Erpcdi\nlion ausgestellt: die Kohlen, die\nEvans und Scott unter dein 85. Grad\nsüdlicher Breite entdeckten, aus dem\nEisplalcciu. bas sich v\'n King-\nEdward Land zum Pole hin erste- \'I.\nTie Kohle wurde inmitten eines klei\nnen Haufen von Fossilien gesunde\nund von den Polar? ihrer durch die\nSchneellürn e mitgeführt, bis ler Tod\nder Reise ein Ende machte. Die\nKohle ist von geringer O \'!ttä!, aber\nsie erzähl! im Lichte der Wissenschaft\neine wunderv.lle Geschichte von den\nragenden Forsten und Wäldern, die\neinst in si e Regionen rauschten, die\nheule unwirtliche Eis- und Schnee\nwüsten allem Leben Feind sind,\nDaß sich Kohlenl - irr im Südpolar\ngebiet bet,den, ist schon längere Zen\nbekamst. Sh kielon trickste von fe\nster Expedition, die ihn bis in d\nNähe des Pol- br-chie, Kohlentun\nmit nach Engl nt. u c sie et er i lls\nMukrum ausgestellt wurden und noch\naufbewahrt werden ,\'lu \' Perileinr\nrangen von Pü\'nzen F -rrenkr u!\nl -- H-: Sb\'t ?: " \' °na° - \'\'\nN\'tten, daß inst in >o öden\na:\' rktischen t--is- a-\' d - "k-p--\nqi\'oen in der Ilr>eii o - "der- !\'\'\nm -\'!> 1-e Brrhöltuistr c-e!rr-*chl h stco\nmu\'"en.\ni Entered in the Poet Offk* in )\n< iACrueae, Wie., et ec)nd cU*s rte*. t\nPlllklUl-AllMlllij.\nIr\'iushiu, die südlichste der japani\nscheu Ilelit, wurde Dienstag\nbetroffen.\nTokio, 14. Jan,\nEine Fuiikendepesche vom japanischen\nKreuzer „Tone" meldete am Dienstag\nAbend nach Tokio, daß der Kreuzer\nund mehrere Tmpedojäger in Kago\nshima eingetroffen sind. Nach der R-el\ndung dauern die Eruptionen des Sa\nkurajima och immer mir großer Ge\nwalt an: glühende Asche fällt aus die\nKriegSschlffe: die Einwohner habe die\nStadt Kagoihima verlasse, doch die\nTruppen verharren aus ihrem Posten,\nAndere Berge aus der Insel Kiushi,\ndie eine lebhafte vulkanische Thaugkeii\nan den Tag lege, sind der Aso, Kur\nshi-oa, Takakkuma und Onsen. Die\ngrößte Bestürzung herrscht aus der qe\nsammien Insel, Die Hauptstadt Miya\nzaki der gleichnamigen Provinz, sowie\ndie Fcsiung Kumaiuoio. 85 Meilen oft\nlich von Nagasaki, sind m großer Gc\n! fahr verschüttet zu werden.\nNach dem amtlichen Bericht sind bei\nder Eruption des Sakurajima 100\nPerftnen umgekommen, doch geben et\nliche Zeiluogt die Zahl der Opfer aus\nBtto an Bon der Heftigkeit des Ans\nbruch de Sakurasima kan man sich\neinen Begriff daraus machen, daß der\nAschenregen am Dienstag sogar in dem\nüber \'.<) Meilen entfernten Nagasaki\nwahrgenommen wurde,\nTokio. 15, Ja,\nDer Mittwoch Abend in Tokio ver\nöffentlichte amtliche Bericht über die\nErbdcben - Katastrophe in Süd-Japan\nenihält die folgenden wesentliche Thal\nfachen:\nDie kleine Insel Sakura ist mil einer\nSchicht Lava und Asche bedeckt, die stel\nlenweise mehrere Fuß hoch ist, linier\ndieser Schicht liegen zahllose Leichname,\nderen Zahl jedoch kaum jemals genau\nfestgestellt werde kann. Bei der Ab\nschätzung der Zahl der Opfer müssen\nzahlreiche Personen eingeschlossen wer\nden. die bei dem Versuch, von Sakura\nnach der Stadt Kagoschima zu schwim\nmen, ertrunken find.\nKagoshima, noch vor wenigen Tagen\neine prvsperirende Stadt mit 60,000\nE\'nwohnern, ist\nSelbst steinerne Gebäude find unter\ndem Gewicht der Asche zusammengebro\nchen.\nDie Eruptionen des Sakura-Jima\nlasten gradeweise nach. Heftige Regen\ngüsse klären die Alinvsphärr und machen\ndamit die ReuungSarbeiten leichter.\nDie ganze Insel Kiushiu, die einen\nFläck eninhall von 3000 Quadiaimettcn\nHai, ist mit vulkanischer Asche beleckt.\nHuiMrstikil witder tlsolqrkich.\nLondon, I,!. Jan.\nSstlvia Pankhurst, die belaiinle\nKanipsjuffrageiie, wurde am Samstag\nwieder einmal nach einem Huiigerstrci!\nans dem Holloway-Gesängiuß in Lon\ndon kittlassen, Fräulein Pankhur\nwar ain 8. Januar aus der Ostseile von\nLondon verhauet worden.\nW-O ~<*> war ein sonderbarer\nAnblick," ichreibi Herr Aug. A John\nson von Lhons. Nebr,. „all\' die Tokior-\nund Apotheker-Medizinen zu sehen, die\nmein Bruder sich angesammelt halte,\nals ich ihn vor zwei Jahren in Wyoming\nbesuchte Er war schon längere Zeit\nkrank gewesen, und nichts schien ihm zu\nhelfen Ich erzählte ihm von dem\nAlvenkränter und daß ich glaube, eS\nwürde ihn gesund machen. Er begann,\nes zu gebrauchen, und warf die anderen\nMedizinen, die sich bei ihm angehäuft\nhauen, fort. Er gebrauchte sechs Fla\nschen der Alpenkräuier und war ein\ngesunder Mann Ich könnte ein Blatt\n„ach dem andere fülle mtt Berichten\niiver Heilungen, die durch Alpenkrouler\nbewirkt wurden,"\nUngleich anderen Medizinen wird\nForni\'s Alpenkräuter nicht in Apotheken\nverkauii, Spezialagenicn liesern es\ndem Publikum direkt, Falls lem\nAgent in Ihrer Nachbarschaft ist. so\nschreiben Sie an. Dr, Peter Fahrneys\nSons Co. 1!i 25 So. Hoyne Ave.\nChicago Jll -Anz.\nPlant eine Reise nach dem\nsonnigen Lüden.\nWarum unter der Kälte leiden, wenn\nsolche Winler-ResoriS wie Florida,\nCuba und die Gols-Küste in Jhiem be\nauemen Bereich liegen? Arrangiren\nSie eine Reise nach dem Süden: wir\nwerden Ihnen Raten quoliren. Routen\nvorschlagen und eine passende Tour\nprepariren Für volle Einzelheiten\nsprecht bei Tickel-Agenien der Chicago\nund Nocihwestern-Bahn vor. Anz,\nFrech.\nGast: .Kellner, wie kämen Sie\neinem Gast so etwas bringen! Ter\nFisch riecht ja!"\nKellner: „Di-s geht mich nichts an.\ndas müßen Sie den, Wirt jagen!"\n> GTI: „So ruken Sie ihn!"\nGast: „Wie können Tie, Herr\nf Wirt, dieken verdorbenen Fisch einem\ni Gail vorsetzen lasst?"\nj Wi:l: ..Ja. was soll ick, denn da\nj mi! machen? Soll ich ihn vielleicht\nj selber esse::?"\nOie „Norvstern" Zeitun\ngen Kaden di, Geschirre\nvon La Lroffe nicht ,n\n\'nitschreiben sondern mir\nmachen Helsen.\nNummer I l.\nFür Zivilistclisl.\nt?räsldet Ivilson -roh! mi! V-r\ntlrung des sFostetats. falls\n„weiter" ftleiftt.\nWashington. D, C,. 15. Jan,\nPräsident Wilson erklärte am Mitt\nwoch in unzweideutiger Weise, daß er\ndie jetzt dem Haus voi liegenden Post\ncialsvortage mir seinem Beio belegen\nwerde, falls nicht der „Neuer" einserar\nwird, welcher Hitssposimeister vom Ir\nvildiknjt auSnimmi, Ter Präsident r\nentschlossen die nach Angabe der Zivit--\ndlenst-Anhänger im E ongreh eiiigeleilelr\nBeiveguiig zum Hatten zu bringen,\nwelche ange lich daraus abzielt, den\nPosldienst von Neuem zu einem Feld\npotillicher Beilkriiwirlhschasl zu inachen.\nDer dein Posteiai angehängte „Rei\nter" würde dem Geiieralpostmetsier das\nRecht geben, die Ernennungen samintli\ncher Hilsspostmeisler rückgängig zu ma\nchen und ihre „Nachfolger nach eigenen\nErmesse, ohne Rücksicht aus die Zivtt\ndleiistordnulig zu beslliiiinen,"\nGeneralpoiinieister Buetewn haue\nkürzlich in einem Schreiben an Rcpcä\nslilianl Mann. de Bolsitzende des\nPosteomiie im HauS. seiner Opposition\ngegen diese Klausel Ausdruck gegeben,\nohne daß jedoch der „Reiter" entfernt\nworden wäre.\nCikrhiindlrr bestraft.\nNew Park lg, Jan,\nDie Eierhandlung von James Barr\nTyk Co. in New Bork wurde am Sams\ntag zu einer Siraie vo KSVO verur\nlheitt, nachdem sie sich schuldig bekannt\nhaue, Kühljpeichereier als frische ver\nkauft zu haben.\nDes?MS Todte.\nFröhlich Im Aller von 78 lah\nreu starb eine Pionier-Bürgerssran. die\nWittwe von Earl Fröhlich, der bis vor\ndreißig Jaorcn Bormann in der „Nord\nstern\'-Setzerei war. Frau Louise Fröh\nlich, in einem hiesigen Spital an der\nWassersucht. Sie war eine allgemein\nbeliebte und sehr wohlthätige Frau und\nhinterlaßt hier keine Verwand. Da\nBegräbniß war am Donnerstag Nach\nmittag vom Trauerhauie. 15 Süd 4.\nTzraße, au nach dem Oak Grove.\nSiebrecht —ln ihrem Heim. >4.\nund Jvhnson-Straße. erlag einem chro\nnischen Nierenleiden Frau Adolph Sir\nbrecht, geb. Emma Techmer, im Alter\nvo 52 Jahren, Um sie trauern der\nGatte, eine Tochter, Fit. Emma, und\ndrei Brüder. Frank, Pnil und Fritz\nTechmer, Die Beerdigung war gestellt\nNachmittag vom Traucrh.iusc und von\nder druisch-lulherischen Kirche aus,\nbaulich Den Folgen eines Schlag\nani.iUkS erlag in ihrem Heim, 1518 La\nCrosse Straße, im Alter von über 7!\nJahren Frau Clara G iuisch, eine lang\njährige Bürgerssrau unserer Stadt.\nSie wurde >n Dobern. Böhmen, Oester\nreich, geboren. Um sie Iranern die sol\ngenden Kinder: William I, Frank\nI, und LouiS L, Gauiich. Frl. Anna\nGauiich, Frau August Anderson und\nFrl, Emma Gautsch, Die Beerdigung\nwar gestern Morgen vom Trauerhause\nund um 9 Uhr von der St, JojepdS-\nKaihedralr aus.\nFrederitk Frau Alberllne Fischer-\nFrevelick starb im Alter vo 7! Jahren\nim Heim ihrer Tochter. Frau Wm. A\nHoward, 531 Nord I I Straße Das\nBegräbniß war am Montag Nachmit\ntag, und Pastor Andreas amtirie.\nDen Folgen einer Operation erlag\nin einem hiesigen Spital Peter\nBregson von Virginia, Minn, 5t\nJahre alt,\nHrn. und Frau Andr, Smics\nzek. 889 AdamS-Slraße, wurde ihr\nkleiner Sohn durch den Tod entrissen\nEr wurde am Dienstag Morgen be\ngraben\nStacheln Ephraim Siaihrm, der\nolle Wachter im Oak Grobe Friedhofe,\nist nicht mehr. Er starb an Hause sei.\nner Tochter, 70! Staie-Straße, an den\nHelgen eines bösen Falles dre Stiege\nhinab, in, Alter von 8! Jahren, Er\nHane sechzig Jahre hier gewohnt, und\nAlle werden ihm ein ehrendes Andenken\nbewahren. Da Begräbniß war ge\nstern\nIm luth, Spital starb Glen\nMalch, 17 Jahre alt und von Gates\nv.lle oben, der wie berichtet aut der\nHasenjagd von seinem Bruder in den\nNucke geschossen worden war. Die\nReiche des Unglücklichen wurde nach\nGaleSwlle gesandt,\nEINS - Tr, O.L Ellis, ein Augen-\nund Ohren- Spezialist, 5" lah e alt,\nstarb in seinem Heim 1125 Badger\nStraße an einer Compilkanon von\nKrankheiten, Er wird in Grand\nNapidS, WIS,, bestattet.\nIm blühenden Aller von Bi Jahren\nstarb im Ellernhause in Eolesbnrg.\nJa,. Edw W. Rokl\'iig, Sohn\nder hier wohlbekannten P nwis-Fami\nlie, an Typhussieber Ter ,ungeMann\nmvar im nördlichen Minnn i : bei einer\njLumbersirma beschäftigt, und über die\n! Festlage zu Besuch bei iein-n Eltern,\nals er plötzlich schwer krank wurde.\n! Ihn überleben die Eltern, sonne vier\ni Schwestern und drei Brüder Frau\n: John P, Salzer. Frau Paul TANARUS, Schulze\nund Frau O W Munster von hier.\nI und Fri, Flvrence Rohltingvon Colcs\nipurq; Wellinglon stkohlsing Seattle\nAasb, Reuden und Mtttoii Roblsing\njvon EoleSburg.', 'publisher': 'C. Halbwachs', 'language': ['English', 'German'], 'alt_title': ['La Crosse nord stern', 'Nordstern'], 'lccn': 'sn86086186', 'country': 'Wisconsin', 'batch': 'whi_clabbert_ver01', 'title_normal': 'nord stern.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn86086186/1914-01-16/ed-1/seq-1.json', 'place': ['Wisconsin--La Crosse--La Crosse'], 'page': ''}, {'sequence': 1, 'county': ['Vilas'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85040613/1914-01-21/ed-1/seq-1/', 'subject': ['Eagle River (Wis.)--Newspapers.', 'Wisconsin--Eagle River.--fast--(OCoLC)fst01234139'], 'city': ['Eagle River'], 'date': '19140121', 'title': 'Vilas County news. [volume]', 'end_year': 1927, 'note': ['Available on microfilm from The State Historical Society of Wisconsin.', 'Editors: C.F. Colman, Aug. 1896-Nov. 1897.--D.E. Riordan, Nov. 1897-May 1901.--O.E. Bowen, May 1901-Jan. 1905.--F.A. Murphy, Jan. 1905-Jan. 1906.--G.E. Fuller, Feb. 1906-<May 1907>.--E.A. Stewart, Nov. 1925-Oct. 1927.--C.F. Fredrichs, Oct.-June 1927.', 'Publisher varies.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Eagle River, Vilas County, Wis.', 'start_year': 1896, 'edition_label': '', 'publisher': 'News Printing', 'language': ['English'], 'alt_title': [], 'lccn': 'sn85040613', 'country': 'Wisconsin', 'ocr_eng': 'Twenty -first year.\nw IH JAPAN’S\nlUMO HORROR\nand Lava Cover Isle and\nIts Bodies.\nWHOLE CITIES ARE BURIED\nHundreds Leap Into Ocean and Are\nBrowned While Trying to Escape\nFrom Fiery Rock—Tornadoes\nAlarm Tokio.\niokio. Jan. 16. —Official reporta of\n-in# volcano-earthquake disaster in\njouthern Japan brought out the follow\ning features:\nThe small island of Sakura is cov\nered with lava and ashes, in places\njeieral feet deep. Beneath this man\ntle lie the bodies of many persons\nwhose number probably will never be\nknown. Estimates of the dead must\ninclude a large number of refugees,\nwho were drowned while trying to\nswim from Sakura to the City of Kago\nihima Kagoshima, a town of 60,000,\nis in ruins Stone buildings collapsed\nunder the hot ash. Simultaneous with\nthe eruption of the volcano of Sakura-\nJima there occurred an eruption of\nYarigataka, which threw a cloud of\nashes over Matsumoto.\nThe eruption of Sakura-Jima is grad\nually subsiding A heavy rainfall is\nclearing the atmosphere and thus as\nlisting the work of relief. The entire\nWand of Klushin, 3,000 square miler,\na covered with voncanic ash in vary\ning depths.\nScientists declare the worst is over,\nadding that the eruption of the vol\ncanoes served as a vent for acute sub\nterranean activity and probably saved\nthe country from more disastrous\nearthquakes. At Kumamoto, north of\nKagoshima, are more than 1,000 refu\ngees. The whole tragedy has not yet\nbwn told.\nThe city of Tokio and surrounding\nterritory, although 500 miles from the\nroictuiic disturbances, were swept in\nthe last 24 hours by miniature torna\ndoea. filling the city with clouds of\ndust and sand and creating the belief\nthat the capital was feeling the effects\nof the distant eruptions. A feeling of\nrelief prevailed at night when the\nwind died down.\nSakura. where the greatest loss of\nlife undoubtedly occurred, cannot be\nvisited, because the eruptions of Sa\nkura-Jima continues. Troops and war\n•hlps in that region and a search\nof the island will be made at the first\nopportunity.\nKagoshima, the nearest big city to\nSakura, while it suffered great dam\nage from the earthquakes, does not\nappear to have experienced severe\nof life.\nAll Americans who were in the\nstricken region are safe. Word to this\nsleet was received from Carl F. Relch\n»an, American consul at Nagasaki,\nwveral American missionaries were\nstationed at Kagoshima.\nMayazaki, Japan. Jan. 16. —Refugees\nfrom the stricken island of Sakura,\nCttlf of Kagoshima, arrived here. They\n*ported that the inhabitants of 300\nbouses, composing the Village of Seto\nthat island, lost the way in trying\n!o reach the seashore and probably all\nperished together. Hundreds were\ndrowned in trying to swim across the\n\'\'Ulf of Kagoshima. The refugees add\n’d that the volcano of Sakura-Jima\ncompletely changed its form, several\nnew craters having opened.\n\'t ashiugton, Jan. 16-. —President Wil\n,ou cabled the emperor of Japan the\nsorrow and sympathy of the American\nPeople over the volcano disaster. Em\nperor Yoshihito cabled Japan\'s “sin\ncurest thanks’’ in return.\nlake pollution perils.\nOfficial Says No City Gets Absolutely\nPure Water.\nWashington, Jan. 16.—Pollution of\nwaters of the great lakes and the\n■vers and streams on the Canadian\nboundary, along which live more than\nJ "-\'O.ooo people, was revealed in a\n“port to the international joint com\nmission by Dr. Allan J. McLaughlin\n0 the public health service. The re\n*/• showed extensive pollution in\n‘ e waters adjacent to nfany of the\n& rge citi s and declared that owing\n■■ present position ■of intakes\n-ere -, s not a S j U gi e c j ty on sh e lakes\nt ic h can be said to possess water\n■ a s safe without treatment. The\nDoctor McLaughlin said,\ne oulq be sought by the best sanitari\n<!ls in the world.\nRioting feared at bank.\nn «itution in Switzerland Fails for\n$1,400,000.\nl *’carno, Switzerland. Jan. 14.—The\n‘Cdko Ticinese has failed with liabiii\nestimated at $1,400,000. The bank\n. mor e depositors than that of any\n‘ er canton, and the authorities have\nied to the government for reln\n# * ernents of police, as disorders are\nThe Vilas County News\nI J\ni I * jRSg ***** >\nA vH /\n&XJ I t\nBiTmi i nhf r.BV.w.V Jh >■\nProf. Hiram Bingham of Yale, di\nrector of an exploring expedition un\nder the auspices of the National Geo\ngraphic society and Yale university, in\na report just made public tells of the\ndiscovery by his party of the ruins of\nthe walled city of Machu Picchu in the\nPeruvian Andes. The city, he says, is\nperched upon a mountain top in a\nmost inaccessible corner of the Uru\nbama river country and is flanked on\nall sides by precipitous slopes- The\nparty was led to the place by an In\ndian. The ruins are said to be the\nmost important yet discovered in\nSouth America.\nPASSENGERS ARE TAKEN\nOFF STRANDED LINER\nNearly 100 Persons Carried to Safety\nFrom Steamer Cobequid Despite\nCold and High Seas.\nYarmouth, N. S., Jan. 16. —Snatched\nfrom what seemed almost certain\ndeath 96 passengers and crew of the\nroyal mall packet Cobequid are snug\nin Yarmouth harbor. Eleven of the\ncrew and • captain remained on the\nship.\nAll, however, suffered greatly from\nthe intense cold. Most of them were\nfrostbitten and every one showed the\neffects of exposure to zero weather.\nWhen the rescue ships reached docks\nhere many of their passengers had to\nbe carried to the hotel. For 36 hours\nafter the vessel struck seas broke\nover it continuously and it was coated\nwith ice.\nBenumbed with cold and dazed by\ntheir long ordeal, few of the rescued\ncould give an intelligent account of\ntheir experiences.\nOne of the officers of the Cobequid\nsaid:\n“The ship struck at six o’clock\nTuesday morning while we were try\ning to locate the lightship off the\nLurcher shoal. Tn the blinding snow\nstorm which prevailed we overshot\nthe mark and brought up on the south\neast end of Trinity ledge.”\n“Immediately after the ship struck\nwe had sent out an ‘S. O. S., which\nwas picked up by the Cape Sable wire\nless station. Later, with the engine\nroom flooded, our operators had to de\npend entirely on the auxiliary storage\nbatteries. Then the gale carried away\nthe deck connections of the aerials.\nA temporary connection, which proved\nunreliable, was fixed up, but an hour\nlater this, too. was wrecked.\n“Early in day the Canadian North\nern liner Royal St. George, outward\nbound from St. John, picked up our\nfeeble cry and the rescue followed."\nFARMER BESIEGED BY POSSE.\nEdward Beardsley. Wife and Nine Chil\ndren Barricaded in House.\nMayville, N. Y., Jan. 16.—Edward\nBeardsley, the Summerdale farmer\nwho shot and wounded John G. W.\nPutnam, overseer of the poor of Chau\ntauqua county, is still barricaded with\nhis wife and nine children in the little\nfarmhouse a mile outside the village\nwhere the shooting occurred and a\nposse of 20 armed men is on guard.\nIn the sheriff’s force are half a dozen\ncrack shots who are under instructions\nto fire at Beardsley whenever he\nshows himself. Fear of wounding Mrs.\nBeardsley or the children was the rea\nson for confining the shooting to the\nsharpshooters.\nWILLIAMS NAMED TO SENATE.\nPresident Nominates Him Comptroller\no* the Currency.\nWashington, Jan. 15. —President\nWilson sent the name of John Skel\nton Williams, assistant secretary to\nthe treasury, to the senate as comp\ntroller of the currency.\nThe nomination was determined\nupon at a conference between Presi\ndent Wilson and Secretary of the\nTreasury McAdoo. It is expected that\na fight will be made upon the nomina\ntion in the senate as Mr. Williams\nhas many opponents among the south\nern senators.\nPROF. HIRAM BINGHAM\nEAGLE RIVER, VILAS CO.. WISCONSIN, WEDNESDAY, JANUARY 21, 1914.\nCAVALRY CHARGES\nCOLORADO MINERS\nRiot Follows Deporting of\n‘•Mother” Jones.\nAGED WOMAN CHEERS MOB\nStrikers Hurl Missiles When Troopers\nEscort Aged Woman to Trinidad\nJail—U. S. Strike Probe Asked\nby Ashurst.\nTrinidad, Colo., Jan. 14. Two\ntroops of cavalry with drawn sabers\ncharged 1,000 striking miners here on\nMonday and several men were serious\nly injured in the battle that followed.\nThe mounted troopers were escorting\nan automobile in which “Mother” Mary\nJones, the strike agitator, was being\nrushed to jail.\nAs the mob barred the way of the\ntroopers, the aged woman, who has\nbeen active in the field wherever trou\nble brewed in every strike for years,\nstood up in the machine and shouted\nencouragement to “her boys.”\nStonps and clubs were hurled by the\nstrikers and several of the militia\ntroopers were bowled from the saddle.\nNone was seriously hurt. The melee\nlasted for fully a quarter of an hour\nbefore the mob was dispersed.\n“Mother” Jones was deported from\nthe southern Colorado coal fields Janu\nary 4by the militia. She returned to\nTrinidad from Denver.\n“Mother” Jones left the train at the\noutskirts of Trinidad and later ap\npeared at a local hotel. She was ar\nrested by a detail of state troops, hur\nried out of the hotel, placed in an\nautomobile and whirled through the\nstreets with the cavalry escort gal\nloping at full speed in front and bfr\nhind the machine.\nA block from the jail the strikers\ngathered in full force and the fight\nbegan.\nPreparations were made for the trial\nby court-martial of Robert Obley, a\nprivate in Company F, Second regi\nment, Colorado National Guard, on a\ncharge of killing John German, a\nminer employed by the Colorado Fuel\n& Iron company.\nDenver, Colo., Jan. 14. —Governor\nAmmons Issued a statement in which\nhe assumed full responsibility for the\narrest, of “Mother” Mary Jones by\nmilitary authorities in Trinidad, and\ndeclared she would be held incom\nmunicado in the hospital at Trinidad\nuntil such time as she saw fit to give\nher promise to leave the strike zone\nof the state.\nIndianapolis, Ind., Jan. 14. —John P.\nWhite, president of the United Mine\nWorkers of America, said he had tele\ngraphed protests against the arrest\nof “Mother” Jones to President Wil\nson, Secretary of Labor Wilson and\nGovernor Ammons of Colorado.\nWashington, Jan. 14.—A federal in\nquiry by the senate committee on\neducation and labor into the Calumet\nstrike is proposed in a resolution in\ntroduced by Senator Ashurst of Ari\nzona. The resolution stirred up a\nspirited debate, but no action was\ntaken and the resolution went over.\nSenator Townsend of Michigan op\nposed the resolution on the ground\nthat it would be an impeachment of\nGovernor Ferris of Michigan and the\nstate courts and also would interfere\nwith the present investigation by the\nHoughton county grand jury. Senator\nAshurst denied that be asked for the\nInvestigation for political reasons “If\nit is political expediency,” he declared,\n“to ascertain the truth I am guilty.”\nHe added that he had received about\n4,000 telegrams urging the inquiry.\nHoughton, Mich., Jan. 14.—-Fourteen\nfresh eviction suits, coupled with a\nblizzard and the first break in the\nunion ranks at Ahmeek, which the\nstate troops left, caused Western\nFederation of Miners leaders to shake\ntheir heads dubiously.\nSUBDUE BIG MONTREAL FIRE.\nFiremen Handicapped by Zero Weath\ner, But Save Business Section.\nMontreal. Jan. 15. —Fire which seri\nously threatened the business center\nof Montreal was subdued only after\na stubborn fight. The loss is estimat\ned at $500,000. For a time the historic\nNotre Dame cathedral was threat\nened. Battling in a temperature 25\ndegrees below zero, firemen were not\nonly hampered by the bitter cold but\nby the fact that half a dozen other\nfires broke out almost simultaneously.\nMORGAN’S LEAD FOLLOWED.\nHead of Railroad Quits Bank Post in\nKentucky.\nLouisville. Ky., Jan. 16.—The wide\nspread agitation against Interlocking\ndirectorates induced Milton H. Smith,\npresident of the Louisville & Nashville\nrailway, to resign as a director of the\nNational Bank of Commerce here. This\nreason was given by Mr. Smith at the\nbank\'s annual election, when he an\nnounced he would not serve for an\nother year.\nMRS. HENRY C. STUART\n. ..\n•• ••• ’\nI ■ 1\ni <... -VSsJ\ni - j\'\nT S t/- . >•*\nxlx £ \'\nI\n......y jCf\nMrs. Henry C. Stuart will become\nthe first lady es Virginia on February\n2, when her husband will be inaugu\nrated governor of that state. Before\nher marriage Mrs. Stuart was Miss\nMargaret Carter of the famous Vir\nginia family of Carters.\nOWNERS USED FUNDS\nOF THE SIEGEL BANKS\nBorrowing of $754,000 on Pledge of\nCommon Stock of Store Called\nUnfortunate.\nNew York, Jan. 14. —Henry Melville,\nwho is receiver for the Henry Siegel &\nCo. bank, told the committee on banks\nof the state senate Monday that\n“whenever any of the proprietors felt\nthe need of any loose change to the\namount of a few thousand dollars he\nwent to tbe bank and took what he\nwanted without giving any note or se\ncurity of any kind.”\nSiegel himself, the receiver said,\nborrowed $754,191 without security\nexcept a written agreement pledging\n34,000 shares of the common stock\nof the Siegel Stores corporation\nagainst these loans.\nThe hearing was held up by the\nsenate committee to get testimony for\nuse in revising the state banking\nlaws in relation to the privileges of\nprivate banks. The whole day’s ses\nsion was spent investigating the af\nfairs of tho bankrupt Siegel enter\nprises. Melville said the transactions\nhe described were legal under the\npresent laws, but admitted conditions\nwere “unfortunate.”\nThe Siegel bank, according to the\nreceiver’s testimony, had deposits of\n$2,550,333. distributed among 15,000\ncustomers of the Fourteenth street\nstore in this city. Melville said that\nthis money was loaned also to the two\nSiegel stores in New York and the\none in Boston. The actual assets of\nthe bank, he said, were $14,000 In\ncash, $25,000 in banka and a cash\nbond of SIOO,OOO.\nRAIL SUITS ARE BLOCKED.\nU. S. Jurist Enjoins State o.’ Missouri\nFrom Pushing Suits.\nKansas City, Mo., Jan. 13.—-Judge\nSmith McPherson”in the federal court\nenjoined John T. Barker, attorney gen\neral of Missouri, from proceeding in\nstate courts with suits for $24,000,000\novercharges against Missouri rail\nroads, and took the Missouri railroad\nrate case under further advisement\nfor three weeks.\nJudge McPherson\'s action followed\nan exciting day in court, during which\nAttorney General Barker demanded\nthe judge dismiss the injunctions with\nout further delay. Attorney General\nBarker made a vitriolic attack upon\nJudge McPherson, shouting in the\nmidst of it:\n“You cannot continue to police this\nstate for the railroads.”\nMORE ON COLD DEATH LIST.\nThirteen in All Succumb to Weather\nin and About New York.\nNew York, Jan. 16. —Relief from the\nmost severe cold spell that this city\nhas experienced in 15 years is in sight.\nRising temperatures abated somewhat\nthe suffering in the streets, but during\nthe day the weather was so cold that\nsix persons succumbed to exposure,\nbringing the death list for the city and\nvicinity up to 13 since the frigid wav\narrived\nIPLAN TO DEVELOP\nIMPROVEDHORSES\n. SCHEME FOR STATEWIDE MOVE\nMENT FOR BETTER LIVESTOCK\nWILL BE STARTED.\nBREEDERS TO MEET FEB. 6\nAnnual Session of State Association\nWill Be Marked by Addresses\nBy Many Noted\nMen.\nMadison. —Presentation of a plan\n.or statewide improvement of live\nstock will be one of the most impor\ntant features of the annual meeting\nof the Wisconsin Livestock Breeders’\nassociation here Feb. 5 and 6. G. C.\nHumphrey, chief of the animal hus\nbandry department, Wisconsin col\nlege of agriculture, has worked out ,\na plan which, it is believed, will be\nespecially effective in encouraging\nlive stock production in the newer\nsections and will announce it at this\nconvention.\nCattle, sheep, horse and swine\nbreeding interests will be represented\nin sectional meetings. A. J. Lovejoy,\nI former president International Live\nstock exposition and one of the most\nnoted swine breeders in the middle\nwest, is to explain how he has made\nswine production profitable.\nAbram Renick, general manager,\nAmerican Short Horn Breeders’ as\nsociation and old time breeder of\nshort horns in Kentucky, is to tell\nWisconsin why they should raise\nmore beef.\nA. W. Fox, prominent Waukesha\ni county Guernsey breeder and dairy\nman, and Mr. Webster will discuss\ncleaner market milk and a higher\nprice for producer.\nJ. G. Fuller, in charge of horses\nat Wisconsin college of agriculture\nand secretary of the Wisconsin Horse\nBreeders’ association, will speak of\nhorse breeding in Wisconsin.\nState associations holding meet\nings at this time are: Western\nGuernsey Breeders, Wisconsin Hol\nstein, Jersey, Ayrshire, Short Horn,\nAberdeen Angus and Red Polled\nBreeders; Wisconsin Horse Breed\ners, Wisconsin Sheep Breeders, Wis\nconsin Poland China, Bershire, Du\nroc Jersey and Chester White Breed\n| ers.\nMETHODS AROUSE HOSTILITY\n! Employment of Woman Detective by\nVice Commission Meets with\nProtest.\nRhinelander. Testimony before\nthe vice commission tended to show\nthat a hotel keeper had laid himself\nliable to prosecution. A woman de\ntective and a man, said to have been\nemployed by the commission, tried to\nput the ban on one of the hotels. It\nis understood that the affected pro\nprietor will fight the charge in the\ncourts claiming he knew nothing of\nthe incident on which the charge was\nbased. Senator W. T. Stevens and\nbusiness men here are not in sym- .<\npathy with the system of research\nused by the commission, saying that\nthe work of the female detective on\nthe streets was not in accordance\nwith a clean investigation.\nRAILROADS MUST PAY MORE\nTaxes on Roads Are $860,161 Over\nLast Year’s Schedule—As\nsessment Increased.\nMadison.—Railroad corporations\nhaving properties in Wisconsin are\ncalled upon to pay $860,161.25 more\ntaxes for 1914 than for 1913, accord\ning to final assessment made by the\nstate tax commission. The final val\nuation fixed by the commission for\nthe present assessment is $340,242,-\n000, which is an increase over the\nvaluationjif 1912 of $13,989,000 and\nthe resulting tax is $4,720,529.30, as\ncompared with $3,860,368.07 in 1913,\nConvict Uses Want Ad.\nMadison. —A prisoner at Waupun,\nwho asked that his name be with-\n■ held, is trying the classified column in\n• an effort to get himself a place when\n; he leaves the prison. He declares\n• that his parole from a sentence im\nposed for obtaining money under false\n; pretenses depends upon his ability to\nget a job before he leaves the prison.\nFire Loss Is $20,000.\nMadison. —Fire in the Wisconsin\n1 building at State, Mifflin and Carroll\nI streets, caused a loss of about $20,-\n! 000.\nBrooding Causes Death.\n’ La Crosse.—Brooding over the death\nI of his wife caused the death of Geo.\nIStadick, oldest tailor in La Crosse,\nwho came here in 1857\nNUMBER 29\nBADGER NEWS\nBRIEFLY TOLD\nRacine. Mrs. George Picket of\nBurlington. probably the oldest\nwoman in Racine county, has just cel\nebrated her ninety-fifth birthday.\nEau Claire. —St.- John\'s German Lu\ntheran congregation will erect a $lO,-\n000 parochial school building and as\nsembly hall.\nFond du Lac. Bishop William\nQuayle of the Methodist church\nwill come to this city for the dedica\ntion of the new Division street church\non June 7.\nNew London. William Wedelle\nof the town of Seymour is the\nfirst man to whom an eugenic mar\nriage license has been granted la\nOutagamie county.\nRacine. —Hans Lobben, an expert\nmachinist, demented, jumped from\nthe roof of a two-story building\nin an effort to commit suicide, but es\ncaped without Injury and wasn\'t even\nstunned.\nMerrill. —Rev. John P. Owen hae\narrived in this city to begin hi»\nnew duties at St. Francis Xavfer\nchurch, to succeed Rev. Henry Le\nGouillou, who has gone to Stanford.\nBarron county.\nKenosha. —Pietro Pascucci, forty\neight years of age, died at the\nKenosha hospital as a result of in\njuries received when struck by a tim\nber in the plant of the Simmons Man\nufacturing company.\nMadison.—State Treasurer Henry\nJohnson and Secretary of State\nDonald returned from Superior, where\nthey had been to superintend the sale\nof some 1,800 acres of land belonging\nto the forest reserve". There were but\nfew bidders. Sales only yielded $424.\nMadison.—Twenty-four children nar\nrowly escaped drowning when a\nheavy wind carried the ice on which\nthey were skating out into the middle\nof Monona lake. The waves broke the\ncake of ice in midlake, leaving 20 chil\ndren on one part and four on the other\nThe children\'s cries were finally heard\nby residents on the lake shore, who\nput out in rowboats and rescued them.\nMadison. —Simple services were\nheld at the funeral of John G.\nSpooner, wbo fired a bullet into his\nhead after he had shot and killed Miss\nEmily McConnell, a school teacher.\nRev. George E. Hunt of Christ Presby\nterian church offered a short prayer\nand read a scripture lesson and then\nthe remains were taken to Forest Hill,\nfollowed only by the immediate rela\ntives and a few Intimate friends. Bur\nial was in the Spooner family lot.\nLa Crosse.—William Brown, foun\ndryman employed by a contractor\nat the Heileman brewery plant, has a\nneck that stood a severe test. John\nZahn, a fellow worker, slipped off a\nscaffolding and fell 30 feet, landing\nwith his heels on Brown\'s neck. Zahn\nbroke one leg from the force when he\nstruck Brown\'s neck, and also lias a\nsprained back and other injuries\nBrown was unhurt and after picking up\nZahn and turning him over to the doc\ntors went on with his work.\nKenosha. —John Vtxior, a Russian,\narrested on a charge of passing\ncounterfeit coin, is said to have\nmade a confession to federal officials\nand the Kenosha police, after Chief of\nPolice O’Hare had found at his home a\ncounterfeiting kit. The police say he\nclaimed that he had made only a small\nnumber of coins. He came here from\nChicago and it is thought he may be\none of the leaders of the gang which\nhas been putting counterfeit silver\ndollars in circulation in nor\'h shore\ntowns.\nWausau. —Ralph Clark and Ralph\nSchultz, both nineteen years old\nand residents of Gilmantown, Buffalo\ncounty, were arrested here by Sheriff\nHerman J. Abrahams, charged with\nthe murder of Ole Johnson Skjorum,\nan aged recluse, on December 28. The\nboys were arrested at the home of rel\natives in this cijry and taken to the\npolice station, where they were ques\ntioned by Chief of Police Thomas Ma\nlone of Wausau, District Attorney 3.\nG. Gilman and Sheriff C. M. Claflin of\nBuffalo county, who later claimed the\nboys had confessed to the attack, at\ntempted robbery and murder of Skjor\num.\nChippewa Falls.—Dora, six years\nold, and Sophia, one year old,\nwere cremated in the farm house of\ntheir parents, Mr. and Mrs. Bench,\nwhich burned during a blizzard which\nraged through this sectiofl. The fire\nwas caused when Frank, Jr., six years\nold, twin brother of the burned sister,\nwent into the kitchen and took tbe\nkerosene lamp off a shelf and dropped\nIt. The lamp exploded, starting a\nblaze that filled the room. The moth\ner was in the basement and smelled\nthe smoke. She came upstairs just in\ntime to drag the boy out of the room\nand saved him. The two little girls\nwere sleeping in a bedroom. The\nfather was summoned from the barn\nand entered the room, but the flames\nforced him to jump through a window\nto save himself. He was badly burned\nand cut by glass. The cottage was\nquickly reduced to ashes and nothing\nI as saved.', 'batch': 'whi_clearwater_ver01', 'title_normal': 'vilas county news.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85040613/1914-01-21/ed-1/seq-1.json', 'place': ['Wisconsin--Vilas--Eagle River'], 'page': ''}, {'sequence': 1, 'county': ['Grant'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85033133/1914-01-21/ed-1/seq-1/', 'subject': ['Lancaster (Wis.)--Newspapers.', 'Wisconsin--Lancaster.--fast--(OCoLC)fst01307511'], 'city': ['Lancaster'], 'date': '19140121', 'title': 'Grant County herald. [volume]', 'end_year': 1968, 'note': ['Description based on: Vol. 2, no. 16 (Sept. 20, 1850) = Whole no. 69.', 'Editor: John Cover <1873-1876>.', 'Publisher varies.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Lancaster, Wis.', 'start_year': 1850, 'edition_label': '', 'publisher': 'J.L. Marsh', 'language': ['English'], 'alt_title': ['Herald'], 'lccn': 'sn85033133', 'country': 'Wisconsin', 'ocr_eng': "ESTABLISHED 1843.\nA BIG CLASS WILL GO\nFMJMUOM\nTo Attend Boys’ Short Course\nat Agricultural College\nCounty Superintendent Brockert ex\npects to Accompany Forty Bright\nYoung Fellows Next Monday.\nCounty Supt. J. C. Brockert is feel\ning pretty good over the result of his\nproposal to the boys of Grant County\nto accompany as many of them as\nwant to go to Madison, next Monday,\nto attend the special short course for\nbovs at the State College of Agri\nculture, and already has a list of\nabout thirty who have fully decided\nupon going. Others have signified\ntheir intention to go if they can, and\nthere are still a number of days to\nelapse during which additional en\ntries can be made, so that in all pro\nbability there will be forty or more in\nattendance from the various parts of\nthe county.\nThose who have so far enrolled as\ncertain are:\nClark Hampton, Lancaster, Scholar\nship.\nRoy Eck, Stitzer.\nBernard Rech, Cassville.\nWill Jerrett, Lancaster.\nRingland Richter, Potosi.\nClyde Govier, Lancaster.\nArchie Morrow, Lancaster.\nL. G. Borah, Mt. Ida.\nVirgil Borah, Mt. Ida.\nArthur Wagner, Stitzer.\nRudolph Hoehn, Lancaster.\nEarl Vespsrman, Lancaster.\nClifford Baker, Lancaster.\nWill ie Wieland, Lancaster.\nLeslie Pritchett, Lancaster.\nReuben Clifton, Lancaster.\nWillie Koeller, Lancaster.\nEarl Henry, Bloomington.\nRay Peterson, Potosi\nSam Welsh, Lancaster.\nJames Byrnes, Platteville.\nLorenzo Riley, Lancaster.\nJoseph Pendleton, Bloomington.\nWillie Hoffman, Sinsinawa.\nArchie Harris, Bagley.\nHarley Newman, Bagley.\nLouis Blum, Glen Haven.\nLloyd Barr, Glen Haven.\nJohn Barr, Glen Haven.\nAn interesting program has been\narranged for the live days beginning\nMonday, Jan. 26 upon corn growing\nand testing, corn judging, a study of\nweeds, study of seeds, grasses, alfalfa\nand clovers, lesson on oats etc., with\nmuch laboratory work and visits to\nthe various buildings and departments\nof the college and state capitoL\nClark Hampton, of Lancaster, who\nparticipated in the Grant county corn\ngrowing contest this year, has been\nawarded a scholarship in the young\npeople’s course at Madison.\nInstallation of Officers of Eva Camp.\nEva Camp, No. 1504, R. N. of\nAmerica, held their regular meeting,\nFriday night, January 16th, which\nalso included the installation of the\nofficers who are to serve during 1914\nPromptly at 6 o’clock there were\nfifty-five seated at the tables to par\ntake of one of the loveliest and best\ncovered dish suppers that these ladies\ncan supply. There were numerous\ncakes and salads and every other kind\nof delicacies to go with these and that\ncoffee was delicious.\nAt 7:45 the Oracle, Addie Austin,\ncalled the camp to order as it was a\nclosed affair, the first one held in\nmany years.\nWhen the business session was over\nthe double doors were opened for those\nto enter who were to help with the\nentertainment after the installation.\nThose who took their several obliga\ntions were Addie Austin, Oracle;\nEdith Mankel, Vice Oracle; Amelia\nDickinson Chap. ; Alice Calloway,\nReceiver ; Mercie Roberts, Recorder;\nLaura Calvert. Marshal; Anna\nTaylor, Asst. Marshal; Jessie Gilder,\nInner Sentinel; Maggie Mayne, Outer\nSentinel ; Georgia Schmidt, Alma\nHyde, Mina Kilby, Alice Walker,\nMrs Bryhan as the Graces; Ethel\nGilder. Pianist and Elva Burrows,\nCaptain; Mary Williams acted as in\nstalling officers and Josephine Hagen\nas Ceremonial Marshal. The presid\ning officer complimented the good turn\nout of the members in her usual smil\ning manner and made all before her\nfeel a very cordial welcome. Her\npersonal efforts are ever exemplified\nby the watchfulness of her duties\ntoward the members and their families.\nThe entertainers were: Flossie\nHendricks. Emily Roberts, Mrs.\nGraves, Miss Fannie Schmidt, Master\nRex Schmidt and Alma Henkel.\nA Member.\nHerlad Job Printing Pleases\nGRANT COUNTY HERALD\nThe Law as to Fire Escapes.\nThe terrible catastrophe at Calumet,\nMich., in which about 80 children\nlost their lives because of inadequate\nmeans of egress when a false alarm\nof fire was given, reminds us that\npeople in Wisconsin may not be\nfamilar with the new state law\nrelative to fire escapes.\nW° are publishing herewith ex\ntracts from that law pretaining to\ntwo and three story buildings, which\nare as follows:\nTWO STORY BUILDING.\nSection 1636—4. 1. Every per\nson or corporation, owning, occupy\ning or controlling any building now\nor hereafter used in whole or in part,\nas a public building, public or\nprivate institution, public ball, place\nof assemblage or place of public resort\nor opera house two stories in height\nin which one hundred and fifty people\nor more are permitted assemble, shall\nbe provided with two good substantial\nstairways one of which shall he locat\ned on the outside of such building and\nbe at least four feet in width, leading\nfrom a level with the second story\nfloor to the ground, providing, that\nsuch building is not fire proof. If\nany such building is fire-proof, it\nshall be provided with such means of\negress as shall be approved by the\ncommissioner of labor or factory in\nspector. Succeeded by Industrial\nCommission.\nTHREE-STORY BUILDING.\nThere shall be provided and kept\nconnected with every hotel, inn,\nschoolhouse or church, and every\noffice building, fiat building, apart\nment building, tenement house and\nlodging house, three or more stories\nhigh, and every factory, workshop or\nother structure, three more stories\nhigh, in which ten or more persons\nmay be employed above the ground\nHoor, at any kind of labor, one or\nmore good and substantial metallic\nor fire-proof stairs or stairway, ready\nfor use at all times, reaching from the\ncornice to the top of the first story\nand attached to the outside thereof\nin such reasonable position and num\nber as to afford reasonably safe and\nconvenient means of egrees and escape\nin case of fire.\nMrs. John Jackering’s Auction.\nThe undersigned, residing 10 miles\nsouthwest of Lancaster and four\nmiles west of Hurricane, will offer\nfor sale at auction, commencing at 10\no’clock a. m , on\nTHURSDAY, FEBRUARY 5. 1914,\nThe following described property:\n14 Head Cattle—Seven gcod milch\ncows, all coming fresh in the spring;\nseven calves comine' one year old.\n7 Head Horses —One bay mare 9\nyears old, weight about 1300: one\nblack mare 5 years old, weight about\n1150; one black gelding, 6 years old,\nweight about 1400; one bay mare\ncoming 4 years old. weight about\n’1200; one old mare, good and sound;\ntwo suckling colts.\n38 Head Hogs—One stock hog; 17\ngood brood sows;2o spring sboats.\nAbout 100 chickens; seven geese.\nFarm Machinery Etc.—One Deering\nmower one Canton corn planter, 2\nDeering walking corn plows, one\nDew; 2 walking stubble plows, one\n15-foot harrow, 1 wood rack, two\nfarm wagons, one bob sled, one double\nbuggy, nearly new ; one single buggy ;\ntwo sets double harness, one nearly\nnew; one single harness; one DeLaval\ncream separator 750 lbs. capacity;\none feed cooker, one steel range near\nly new, and many other articles.\nHay and Grain—soo bushels corn,\nmore or less; 15 tons hay more or\nless, in barn; a quantity of shredded\nfodder.\nLunch at noon\nTerms—All sums of $lO and under,\ncash, on all sums over that amount a\ncredit of one year will be given on\napproved bankable notes bearing 7\nper cent interest.\nMRS. JOHN JACKERING.\nJ. C. Vesperman, Auctioneer.\nGeo. A. Moore, Clerk.\nR. O. Kinney, residing one mile\nwest of the city of Lancaster, on the\nBeetown road, will have an auction\nsale on Wednesday, Feb. 11. Further\nparticulars in this department next\nweek.\nJames Belscamper, residing 2)£\nmiles south of Hurricane, will bave\nan auction sale at his farm on Friday,\nFeb. 20. Particulars in this depart\nment later.\nPLAN A VISIT TO THE SUNNY\nSOUTH\nWhy suffer the cold, with such\nwinter resorts as Florida, Cuba and\nthe Gulf Coast within your easy\nreach? Arrange to go south; we\nwill quote you rates, suggest routes\nand prepare suitable itineraries for\nyou. For full particulars apply to\nticket agents Chicago and North\nwestern Ry. 46w2c.\nPUBLISHED AT LANCASTER, WISCONSIN, WEDNESDAY, JANUARY 21,1914\nWESTERN PRODUCTION\nWAS WELL RECEIVED\n“Where the Trail Divides” Pleases Audi\nence at Antigo Opera House.\nC. S. Primrose again displayed his\nskill as a producer in presenting to\nAntio theatre goers one of the greatest\nWestern bills which has ever been\nseen here, ‘ Where The Trail Divides”\nIt was a pleasure to see this play\nwhich fairly breathed the air of the\nwest.\nIt is the story of the love of a white\ngirl for an Indian which is put into\na story where we are kept in an up\nroar of laughter by Pop Manning s\ncomedy and weeping at the end of the\ntrail where the Indian leaves bis\nwhite wife to the white man.\nThe production in itself was a\npleasure to look upon and every mem\nber of the company played his or her\npart in a manner that showed a\nsincerity that is seldom seen. Mr.\nHelms as How Landor the Indian gave\na portrayal of the character which\nshowed careful study of the part.\nMiss Gilmore as Bess Landor was\npleasing as well as all the rest of the\ncompany.\nThis excellent production is to be\nplayed at Hatch’s opera house, Fri\nday night, Jan. 30.\nSCHOOL? NEWS\n. ATTENDANCE AND TARDINESS.\nAs has been reported in this column\nbefore, the record of attendance and\ntardiness iu Lancaster is probably\nvery much better than in most places\nin the state. And yet in Lancaster\nihere are a large number of cases that\nare not entirely necessary. In the\ncase of tardiness, especially in the\ngiades, great care ought to be taken\nby parents to get children started in\ntune and to urge upon them the\nnecessity of being on time. Lately\nat the North school the tardines-i has\nbeen quite general, many being from\nfive to tbiity minutes late, and all\nwithout good reason. The pupils who\nare tardy most often are those who\ncould have reached the school on time\nif they had made an effort The\nteachers have tried to correct the\nmatter, but the co-operation of the\nparents is needed to secure results.\nA child who is reared to come and go\nat his will, will become the victim\nof a tendecy that does much to injure\nhis poseibe success.\nA summary of the records in the\nhigh school shows that for the first\nfour months of the year, thirty pupils\nbave neither been absent nor tardy.\nOf these seven are boys; the best\npercentage of attendance ie in tbe\nFreshman class, wtich out of a\npresent enrollment of thiry-seven has\nfourteen without any loss of time.\nTHE HIGH SCHOOL EXAMINATIONS.\nOn Thursday and Friday. Jan. 22\nand 23, the final semester examina\ntions in the highschool will be held\nThose who have been doing their\ndaily work faithfully bave nothing to\nfear from these tests, but for others\ntbe finals may spell failure, as they\ncount one-fourth with the daily work\nand the monthly tests for tbe\ndetermination of the final average.\nAny pupil who falls below 65 in\neither his tests or his daily work or\nwhose average of test and daily work\nis below 75, fails in his work for the\nsemester and must take the subject\nagain. To seniors, therefore, it is a\nmatcter of graduation.\nA new plan for rbetorical work in\nthe high school was explained to tbe\nstudents last Friday. For tbe second\nsemester of the year, all the pupils in\ntbe school are to be divided into\nfive classes, each of which is to be in\ncharge of a teacher. These divisions\nwill meet separately once each week\nfor their work in public speaking.\nThe same rules will apply to this\ndepartment of work that govern every\nether subject in the school; pupils\nmust attend their division regularly\nand must do their work thoroughly\nand satisfactorily, for records are to\nbe kept, and failure in rhetoricals\nwill prevent graduation just as in any\nother subject.\nFor the seniors the work will con\nsist largely of writing and speaking\ntheir orations; in the other classes,\nit will be the recitation of declama\ntions, debates, extempore speeches,\nand other forms of address.\nRegular drill is to begin next week.\nMr. Frank Meyer spoke before the\nhigh school assembly last Wednesday\nmorning on lack of interest that the\npupils showed in their activities.\nHe condemned tbe attitude of boys\nand girls in school who expected\neverything to be done for them rather\nthan do for themselves, and who com\nplained because opportunities were\nnot furnished them for amusement\nHe recommended strongly that pupils\nget interested in things, and that\nthrough that interest, they get for\nthemselves the things they think they\nought to have.\nFORTY-ONE MILLION\nTO PAY ALL TAXES.\nWisconsin Tax Commission Completes\nTabulation Showing Enormous\nSize of Tax Budget.\nMadison, Wis.—The state tax\ncommission announced today tbe re\nsults of tabulations of Wisconsin\ntaxes for 1914. Total taxes of all\nkinds, state and local, for this year\namount to $41,496,960.21, and the\nstate assessment from which this tax\nwas derived was $2 998,187,705. The\ntax rate is computed at .01387403466.\nComparison of these figures with\ntbcse for last year show an increase of\ntaxes amounting to $7,973,547 30. Tbe\ntotal assessed valuation last year was\n$2,841,630,416, tbe total taxes $33,-\n623,412,919, and the tax rate\n.01183243701. This increase is slight\nly more than two mills, equivalent to\n$2.04 for sl,o’oo of true valuation.\nAn interesting observation in this\nconnection is the fact that the IN\nCREASE in taxes of all kinds this\nyear is greater than tbe TOTAL\namount of taxes paid for the year 1879\n—an interval of 35 years.\nSEVEN TOWNS APPEAL\nTO TAX COMMISSION\nAre Not Satisfied With The Equaliza\ntion Values Made by the\nCounty Board\nThe town of Clifton filed an appeal\nMonday from tbe equalization figures\nreported for tbat town, including tbe\nvillage of Livingston, by tbe equaliza\ntion committee of tbe county board.\nThis makes a total of seven towns in\ntbe county that have so appealed, the\nothers being Marion, Castle Rock,\nBoscobel. Bloomington, Millville and\nNorth Lancaster.\nA, preliminary hearing in these\nmatters will he held at tbe court\nbouse in Lancaster, before representa\ntives of tbe state tax commission on\nFriday, February 6, at 10 o’clock a.\nm., to examine tbe assessments of\ntaxable property in the various towns\nunder dispute and to determine\nwhether such appeal shall be enter\ntained and a review of such equaliza\ntion ordered as provided by statute.\nMr. A. E. James, of Madison,\nstatistician of the state tax cimmis\nsion, has been at the court house\nhere for several days past, examining\nthe records for land descriptions in\n‘the town of Potosi, it being represent\ned tbat there are quite a number of\nerrors in tbe description of some of\ntbe lands.\nFISH AND GAME SHIPMENTS\nPostmaster General Burleson Announces\nParcel Post Rulings.\nThe state fish and game com\nmission last week received word from\nPostmaster General Burleson relative\nto tbe new law governing the ship\ninent of dead fish and game by parcel\npost. The postoffice officials hold\nthat no dead sis hor game which has\nbeen killed illegally may be sent\nthrough tbe mails and tbat tbe laws\nof the state specify tbat postmasters\nshall not accept for mailing any\nparcel containing tbe dead bodies or\nparts thereof any wild animals which\nhave been offered for shipment in\nviolation of the laws of the state ter\nritory or district in which they were\nkilled. Provided, however that the\nforegoing shall not be construed to\nprevent tbe acceptance for mailing of\nany dead animals or birds killed dur\ning tbe season when tbe same may be\nlawfully captured.\nIt was also stated tbat tbe postoffice\nauthorities have the right to inspect\nall parcels placed in their care for\ntransportation, and when tbe packages\nare found to contain dead fish or\ngame shipped out of season, steps for\nthe punishment of the offender can be\nstarted under the federal laws.\nStock Shipments.\nWednesday—J. A. McCoy, 1 car of\nhorses\nThursday—John Dobson, 1 car of\nbogs.\nFriday —Andrew Lewis, 1 car bogs.\nMonday—Chas. Case, 1 car bogs;\nMcCoy and Croft, 3 cars bogs; Place\nand Jerrett, 3 cars hogs; Jno. Dobson.\n1 car hogs; Andrew Lewis, 2 cars of\nhogs.\nTuesday— Place & Jerrett, 2 cars\nhogs; John Dobson, 1 car hogs; And\nrew Lewis, 1 car hogs, 1 car horses;\nC. A. Bryhan, farmer. 1 car hogs,\nGeo. J. Wieland, farmer, 1 car cattle;\nW. E. Shimmin, farmer, 1 car cattle.\nThere being an insufficient supply of\ncars one car-load of hogs was left ov\ner for subsequent shipment.\nWedding invitations, printed or\nengraved, at this office.\nMethods Successful in Winning Corn\nContest.\nPure seed, good soil and careful at\ntention to the crop are the three prin\ncipal things to which I attribute tbe\nhonor of winning first place in tbe\ncorn-raising contest. I don't claim\nany “state championship. ’ This was\na connty competition. However. I\nunderstand that my record, 133 bushels\nand 38 pounds of corn produced on one\nacre, is the best production of any\nofficially observed. The best previous\nrecord was 13 bushels and 39 pounds\nless than mine.\n[ live in the Town of Eden, and\nwhile we call this “God’s country,”\nthere are many other localities in\nWisconsin, where with similar condi\ntions and equally good seed and care,\nperhaps fully as large yields would\nresult. We had 195 competitors in\nour contest and the general average\nwas so high as to demonstrate the\nwisdom of planting corn in Wiscon\nsin, and more to tbe point tbe wisdom\nof careful selection of seed and giv\ning tbe field tne best possible care.\nMy seed was the Golden Glow variety,\nNo. 12, pure bred. I obtained it from\nJ. P. Bonzelet, and it came from the\nuniversity of Wisconsin Experiment\nstation in 1907. It was planted on\nunusually good clay loam, brought to\na high state of fertility by rotation of\ncrops.\nI selected an acre on the outside of\na forty acre field of corn, and kept\nbusy. Throughout the season I paid\nstrictest attention to the corn, weed\ning it carefully, hill by bill, hoeing\nit by band and also cultivating it\nwith a team plow. The plants never\nstopped growing until sjme of them\nattained a height of ten feet, but\nmany of tbe stalks that made good\nwars were only five feet in height.\nWhen the grain was mature I got the\ncrop into barn in good weather and\ndid tbe husking by hand. I consider\ntbe final results ample reward for tbe\nadditional labor spent over tbe amount\ntne ordinary field gets for I figure the\naverage cost of this corn at only 10*£\ncents a bushel.\nThis experiment convinces me that\nscientific farming is the only proper\nway to get the best respite; 1 have not\nsold tbe crop but it is worth in tbe\nneighborhood of SIOO or $l5O, accord\ning to how much of it is sold as seed.\nThis particular lot is in demand by\nseedsmen simply because it won tbe\nprize, and possibly it will bring a\nhigher price for that reason, but any\n133 bushels of such high quality corn\nwould doubtless bring SIOO which is a\nrather good return on one acre of\nground and aboutsls worth of work.\nMilwaukee Journal.\n—The third anniversary of the\ndedication of the M. E. church at\nPatch Grove will be held in that\nvillage Friday evening, Jan. 23, with\na banquet at 50c a date. Ou Sunday\nmorning the 25th the sermon will be\npreached by Bishop William A.\nQuayle.\nMethodist Church.\nTho». S. Beavin, Pastor\n9:30 Bible school.\n10:30 morning worship.\n6:30 Epworth League meeting.\nSubject: “Peter—From Wavering to\nSteadfastness’” Speaker, Miss Elva\nKnox.\n7:30 Gospel service.\nThursday—7:3o Weekly prayer\nservice. Read Acts 4to 5 ‘‘Christian\nCommunion’”\nDon’t forget tbe Alma Taylor reci\ntal and impersonations on Tuesday,\nJan 27th.\nResidence for Sale.\nThe property on 2nd St. in Platte\nville known as the Geo. C. Hendy\nresidence. New brick house well\nbuilt, nice finish and in Ist class\ncondition, steam heated, electric\nlight, city water, bathroom, room\nwith toilet and fourteen lots platted\nas Farview Addition to City of Platte\nville. Will sell residence and two\nlots with barn, or will sell buildings\nand ten lots to suit purchaser.\nLook this property over if you want\na good home ; n Platteville. A bargain\nif sold soon. Possession March Ist.\nWrite or call either phone.\nW. E. LATHROP\nor H. E. BORAH,\n46tf Lancaster, Wis.\nNotice.\n. The Trustees of the Boice Creek\nCemetery Association, wish to call\nattention to a meeting at the Boice\nCreek Church, Jan. 27th, at 2 p. in.\nto transact business. 46 w 2.\nCarrying It to Excess.\nQuizzo —“I understand that your\nfriend Bronson is a vegetarian.”\nQuizzed —‘‘Yes. He has such pro\nnounced views on the subject that he\nmarried a grass widow'.”\nVOL. 71; NO. 47\nONE MARRIAGE LICENSE\nHAS NOW BEEN ISSUED\nGeorgetown - Jamestown Couple\nOnly One This Year\nBrought Proper Certificate of Health\nfrom Physician as Required by\nLaw and Secured Permit\nThe spell cast over Grant county by\nthe new eugenic Hw was broken last\nFriday when an applicant for a mar\nriage license, provided with tbe\nproper certificate required by the new\nlaw, appeared at the county clerk’s\noffice, and his wants were at once\nsupplied with tbe coveted permit to\nmarry. Tbe applicant was Josepn\nSimon, a farmer from the town of\nGeorgetown and the lady he wished\nto marry was Miss Chrietena Brant, a\nfarmer’s daughter, of the town of\nJamestown. The age of each of tbe\ncontracting parties was given as 30\nyears.\nThe medical certificate was isauel\nby Dr. J. E. Donnell, of Cuba City.\nLast year thirty six licenses were\nissued by the clerk during the month\nof January.\n—Fire broke out last Wednesday\nmorning in tbe roof of the old build\ning south of E. H Hyde’s block, oc\ncupied by Burrows & Winakilis eutoi\nrepair sbop in the basement ai<d G-\nQ. Skyes’ paint shop up stairs, sup\nposed to be from a defective chimney.\nOwing to tbe slight water pressure\navailable at first it took some time to\nget the flames under coutrol. Ihe\nroof was about half destroyed oa tne\nsontb end of tbe building. Toss about\n$l5O to S2OO. No insurance. Tbe\nbuilding belongs to E. E McCoy, and\nwill be repaired at once.\nSEAT LEE, BAR GLASS\nSENATE BODY HOLDS 17TH\nAMENDMENT IS IN FORCE.\nCommittee’s Finding to Be Passed on\nToday by Upper Branch of\nCongress.\nWashington, Jan. 19. —In deciding\nthat Blair Lee, Democrat, of Maryland\nshould be seated as United States sen\nator to succeed Senator Jackson, Re\npublican, and that Frank P. Glass of\nAlabama is not to be seated to succeed\nthe late Senator Johnston, the senate\ncommittee on elections determined\nthat the seventeenth amendment is\nnow in full effect; that no supplement\nal legislation by legislatures is neces\nsary, and that the governor of a state\nhas authority to call a special election\nwhere machinery for such an election\nexists.\nThe senate will pass upon the cc.n\nmittee’s report today.\nIn the Maryland case one Republic\nan, Senator Kenyon of lowa, voted\nwith six Democratic members to seat\nMr. Lee. In the Alabama case only\nSenator Bradley, Republican, of Ken\ntucky, favored seating Mr. Glass. Dem\nocratic leaders expect opposition from\nthe Republican side before a vote is\nreached on the Maryland case.\n“The two cases.” said Chairman\nKern, “were vastly different. In the\nAlabama case proponents of Mr. Glass\nmaintained that the seventeenth\namendment was not in effect because\nthe legislature had not met to supple\nment it with machinery to carry it out\nand that therefore the old laws were\nin force. In the Maryland case, the\nvalidity of the amendment was recog\nnized and effort to carry it out through\nexisting election machinery, a course\nwhich was ratified by a majority of the\nvoters of the state. In Alabama, the\namendment was ignored and in Mary\nland it was sought to carry out the\nspirit of the amendment.”\nGlass was appointed by Governor\nO’Neal to fill the unexpired term of\nSenator Johnston, who died after the\ndirect elections amendment had be\ncome a part of the constitution.\nIn the Maryland case Governor\nGoldsborough called a primary elec\ntion and Blair Lee was victorious. In\nthis case it was declared that the elec\ntion was irregular because it had not\nbeen called by the legislature, but the\ncommittee held that Mr. Lee was en\ntitled to his seat because he was\nchosen by direct vote of the people.\nRelics of Wagner Stolen.\nRelics of Wagner, the great com\nposer, were stolen from the family\nhome, Villa Wahnfried. at Bayreuth,\nGermany, on a recent night. The most\nvaluable of the relics were taken, in\ncluding the composer’s watch, set with,\ndiamonds.\nTight.\nThey were searching for a name for\nthe new apartment house. “From the\nway you're going to pack the people\nin,” remarked a prospective tenant, “I\nsuggest that you call it The Sardinia.” *", 'batch': 'whi_kenyon_ver01', 'title_normal': 'grant county herald.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85033133/1914-01-21/ed-1/seq-1.json', 'place': ['Wisconsin--Grant--Lancaster'], 'page': ''}, {'sequence': 1, 'county': ['Sauk'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn86086068/1914-01-22/ed-1/seq-1/', 'subject': ['Baraboo (Wis.)--Newspapers.', 'Wisconsin--Baraboo.--fast--(OCoLC)fst01222682'], 'city': ['Baraboo'], 'date': '19140122', 'title': 'Baraboo weekly news. [volume]', 'end_year': 1979, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Available on microfilm from The State Historical Society of Wisconsin.', 'Editors: H.E. Cole & H.K. Page, Jan. 4, 1912-April 12, 1928.', 'Publisher varies.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Baraboo, Wis.', 'start_year': 1912, 'edition_label': '', 'publisher': 'H.E. Cole & H.K. Page', 'language': ['English'], 'alt_title': [], 'lccn': 'sn86086068', 'country': 'Wisconsin', 'ocr_eng': 'ESTABLISHED MAY 26, 1884\nU 801 HI\nnan me\nTells of School House Be\ning Built for About\nFifty Dollars.\nEARLY OAYSJN TROY\nOld Money, Newspapers\nPictures and Other Ob\njects Gifts.\nThe following have bsen given to\nthe Sauk County Historical society:\nArthur Redman, 721 Walnut street,\ngives a Confederate fifty dollar bill.\nGeorge E. Northrup, JBaraboo, gives\nan Atlas of Minnesota, dated 1874.\nN. B. Hood of Spring Green sends\na picture of the monument erected in\n1883 at Lone Rock by the survivors\nof the Sixth Wisconsin Battery. The\nnames of the me oncers of the company\nand the important battles in which\nthey participated are cast in bronze.\nA copy of the “ Wisconsin Patriot",\ndated March 1, 1835, is given by Miss\nBelle Blanchett of this city. The\n<copy is Vol. 1, No. 104, and is largely\ndevoted to advertisements and news\nof the legislature.\nJ. Sidney Geor <e, Rice Lake, Wis.,\nsends a copy of Ringling Brothers\nletter paper, such as they used about\n1883. The pictures of the brothers il\nluminate the lop of the Bheet and is\nan interesting relic of the early circus\ndays of Baraboo.\nThe Columbus ships stopped at\nManitowoc last fall on their way to\nSan Francisco. H. George Schuetie\nof Manitowoc sends a picture of the\nthree frail barks as they appeared in\nhis city.\nClark Sturdevani gives a copy <f\nihe Daily Citizen printed on wall\npaper in Vicksourg during the siege\nAn 1863. Tula paper has given ex\ntended descriptions of these papers in\nthe past.\nCaptain J. P. Drew of Baraboo gives\ncopies of the general army orders,\n1861-1865. It is an unusual collection.\nWhen H. L. Skavalem of Janesville\nlectured before the society last w inter,\na picture was taken of a number of\nthe objects he had made from stone.\nOne of the pictures is given by Kiis\nKramer.\nHarrisburg school district, town of\nTroy, loans Ihe record book which\nwas kept by the pioneers, the first\nsentry being made Jan. 2, 1850. Troy\nwas then a part of Honey Creek, the\nfirst meeting wai at the home of Wil\nliam Young and among the persons\nnotified by the clerk, John Bear, were\nJ. W. Harris, Wesley Harris, Henry\nKiefer, Stephen Miller, James A.\nTaylor, William Youag, Parson\nYoung, Henry Clamaa, John Feller,\nNicholas Nutzer, and ethers. Among\nthe teachers of that district were Orasa\nDrew, Mrs. Johnson, John Young,\nafterwards sheriff, and others. The\nfirst log buliding, 16 by 20 feet, was a\ncabin covered with clapboards nailed\non “rills”, with floors laid down\nloose, with four 12 light windows and\n“scutched.” The society will be glad\nto receive more of the pioneer reco:d\nbooks.\nWhen Peck & Or vis were in business\nin Baraboo before the Civil War they\nissued paper money. A few specimens\nof this money are desired by the\nsociety.\nSAMUEL I EM\nIS HOT CHIME\nSamuel H. Cady of Green Bay,\nwhose name has been mentioned with\nprospective candidates for congress\nmen in the 9th congressional district\nin Wisconsin, is not a candidate. He\nsays: “I have not considered the pro\nposition seriously and I am not a can\ndidate.” Mr. Cady formerly resided\nin Sauk county and is a brother of\nCity Attorney V. H. Cady.\nLicensed to Marry\nDr. C. M. Wahl, Madison and Erna\nSprecher, Troy. The bride is a daugh\nter of Mr. and Mrs. George Sprecher.\nBARABOO WEEKLY NEWS.\nCOMPARATIVE RII\nKITE FIGURES\nEveryone is paying his taxes these\ndays providing an elephant has not\nstepped on his pocketbook, and a few\nfigures as to the high cost of living\nof municipalities may be interesting.\nThe tax payers in the following cities\nare paying:\nBaraboo, $23.00 on each SI,OOO\nRichland Center, $29.40 on each\nSI,OOO\nPortage, $20.00 on each SI,OOO\nSparta, $25 10 on each $1,003\nReedsburg, $15.30 on each SI,OOO\nMadison $16.50 on each SI,OOO\nWaupun, $31.89 on each SI,OOO\nOshkosh, 17.50 on each $1,003\nHartford, 13.14 on each SI,OOO\nBoricon, 12.00 on each SI,OOO\nWatertown, 16,98 on each SI,OOO\nLodi, $24 cn each SI,OOO\nFox Lake, $24 30 on each SI,OOO\nRio, $lB 93 on each SI,OOO\nU BUS\nFIOMBUNAWAT\nAbraham H. Johnson Dies\nat the Gem City Gener\nal Hospital.\nAbraham Henry Johnson, who was :\ninjured in a runaway accident on l\nTuesday, died this morning et 5:47 at\nthe Gem City hosrital to which insti\ntution he was t&ken after the accident.\nAs previously staled, a lino broke es\nhe was driving down the hill on\nthe Merrimack road near the Pearson\nhomes and the team ran away. He wts\nthrown forward and struck on his\nhead, there being no visible injury\nexcept a slight spot near the forehead.\nWhen examined at the hospital it was\nfound there was an injury at the base\nof ihe skuli, but the condition of the\npatient did not warrant an operation.\nHe did not regain consciousness after\nhe was thrown and recovery was not\nexpected. It was an unfortunate ac\ncident and removed a Greenfield res -\ndent in the prime of life. He was re\nmoved soon alter death to the E. 8.\nJohnston undertaking rooms.\nMr. Johnson was born August 4,\n1865, and resided in Greenfield for\nmany years. He leaves a wife and\none son, Eddie, aged 15, and a daugh\nter, Lillian, aged 12.\nHe also leaves the following broth\ners and sisters:\nClarence Johnson, Baraboo\nJoseph Johnson, Heyward, Wis.\nJosiah Johnson, Minnesota\nMrs. Sarah Smith, Canada\nMrs. Kate Nettle, Baraboo\nMrs. Cornish, Baraboo\nMrs. Hannah Noot, Beloit\nmiiriH;\n1 up IIIOE\nFrom Eos Angeles, Cal., cams Mrs.\nHelen Mason Perclval on Thursday\nand in the evening she was married\nto Nathan Farnworth at the heme of\nMr. and Mrs. Oscar Wigelow, 321\nFifth avenue. The ceremony was\npronounced by Rev. C. D. May hew of\nthe Baptist church in the presence of\nonly a few friends of the groom. Mr.\nFarnworth has resided in Merrlmsck\nand Baraboo for many years aud is a\nveteran of the Civil war. They are\nmaking their home at the corner of\nBirch street and Seventh avenue.\nOperation Is Performed.\nMrs. Frank Rohner of Wonewoc\nunderwent a serious operation for\nmalignant tumor Wednesday morn\ning at the Wonewoc hospital. Mrs.\nRohner is a sister of Mrs. Zaida Mor\nrison, now Mrs. W. C. Westurn, Mrs.\nWm. Lamberton and L, A. Hampton\nof this city.\nA Wise Child\n“Willie,” sadly said a father to his\nyoung son, ‘I did not know till today\nthat last week you were whipped by\nyour teacher for bad behavior.”\nDidn’t you, Father?” Willie an\nswered cheerfully, “Why, I knew it\nall the time.”—February Woman\'s\nHome Companion.\nBARABOO, WIS., THURSDAY, JAN. 22, 1914\nSOME FOLKS’ IDEA OF AN INSULT.\n*You AREA LCwDCwmJ v’uaw 1 I VyOU ARE A DISREPUTABLE,) \' } Ho-Ho!T\n(Vhy, you Haven\'t A \\*3TOP ! (> N6THfH4r Moße V you\'re\n!\nC You\'Re AW ) “ ,o (’HOW OKRE you insult me!\nH-ti-sI Jtes ~sssss;\nffigU\n—Webster in New York Globe.\nHow 120 Bushels ol Corn Were Raised on\nan Acre o! Ground.\nPaper Written by Ernest Wichern, Son of Mr. and Mrs. Wm. Wichern\nand Read Before the Skillet Creek Farmers’ Club\nThere was clover on the bind laßt\nyear. The first crop was cut for hay\nand the second was cut for seed. The\nnext spring about twenty tons of\nstable manure were hauled on the land\nand plowed in the latter part of May.\nThe ground was harrowed and the\ncorn planted about the first of June*\nThe corn came up iu a few days and\nwfien it was about four inches high it\nwas dragged crosswise as the corn\nwas drilled in. After the corn was\nhigh enough to cultivate I went\nthrough it with the sulkey cultivator,\nthis being about the middle of June.\nAbout ten days later the com was\ngone through again with the same\ncultivator. A week after this we\nstarted hoeing it. The rows were\nplanted three feet, eight inches apart,\nand the corn was very thick in the\nrow. As we hoed it we thinned the\nstalks out to about twelve inches\napart. It took two or three weeks to\nget it all hoed because it seemed hard\nto stick to the job. It it had bsen hoed\nand thinned sooner there would have\nbsen a larger yield.\nThere was nothing done with the\ncorn after this until husking time£\nNumerous\nterritorial\nResidents\nDiscovered\nSince our last report several new\nnames have been added to the News\nTerritorial club. All readers of this\npaper who were in Wisconsin before\nMay 29,1848, should send their names\nat once. When all have enrolled a\ncertificate of membership will be\nmailed from this office. Here is the\nlist up to date:\nA. W. Foster, born at Barry Center,\nOswego county, New York, March 11\n1844; came to Wisconsin in September,\n1844, and to Baraboo in May, 1848.\nP. P. Palmer, born in New York\nstate in 1843 and came to Baraboo in\n1847.\nMrs. John Wiggins, North Freedom,\nborn in Dane county, September 17,\n1846.\nMrs. Marie Burrington, born in\nupper Canada, town of Dumfrie, in\n1834, and came with the family\nto Dane county in 1839 and to\nBaraboo in 1857.\nVolney Moore, Baraboo, born in\nDane county, August 5,1843.\nDaniel Brown, born at West Alley,\nOrange county, Vermont, 1832, and\ncame to Sauk county in 1844.\nVf w days before the corn was ready\nto be hulked tbere was a wind slorm\nwhich knocked the stalks down pretty\nbadly. After the stalks were knocked\ndown the chickens and little pigs\nfound that it was a good place to get\ntheir meals. The Saturday before the\nfair we husked the corn, allowing\nseventy five pounds to the bushel.\nThe corn yield of the country could\nbe greatly increased if the corn could\nbe taken care of in the right way and\nat the right time.\n(Editor\'s Note—ln the corn contest\nconducted by County Superintendent\nG. W. Davies, Walter Klip3tein of\nLoganville look first prize and Ernest\nWichern second. The average yield\nin the United States is 23 bushels,\nin Wisconsin 40 bushels and in the\ncontest 100. The highest in the con\ntest was 122 bushels and the lowest\nabout 82 bushels. Master Wichern\nraised nearly 121 bushels and had it\nDot been for the invaders he would\nno doubt have taken first prize. As\nshown in this case it is cot only good\nfarooingto raise a fine crop but to care\nfor it as well. This is an inportant\nelement.)\nErastus Brown, brother of the above,\nborn in Orange county, Vermont, in\n1830 and came to Sauk county in 1844.\nMrs. Rose M. (Clark) Morley, born\non Big Foot Prairie, Walworth county,\nWis., Nov. 19, 1812, and came to Bar\naboo Sept. 6, 1848.\nSarah Amea Pigg, 514 First street,\nBaraboo, was born at Oregon, Wis.,\nIn 1847.\nM. C. Johnson, 1325 East street,\nBaraboo, born June 18, 1841, in Cass\ncounty, Michigan, and came to Bara\nboo, September 18, 1841.\nMrs. Leander B. Wheeler of Lime\nRidge, born at Salem, Wis., Septem\nber 7, 1845.\nMrs. Sarah Race, Baraboo, born in\nNew York, November 12, 1823, and\ncame to Wisconsin in 1841.\nMrs. Victoria Peck Hawley, born in\nMadison on September 14, 1837.\nMrs. Mary Trumble, first white\nchild bom in the town of Freedom,\nMay 17, 1848. Now a resident of\nNorth Freedom.\nThe Hackett Family of North Free\ndom.\nGeorge Hackett, born in Canada,\nJan. 30,1829, came to Sauk county\nMarch 27, 1848.\nTimothy Hackett, born in Canada,\nMarch 26,1831, came to Sauk county\nMarch 27,1848.\nJohn Hackett, born in Canada, July\n30,1833, came to Baraboo March 27,\n1848.\nJoel Hackett, born in Canada, Aug.\n27,1835, and came to Sauk county\nREERSBURG GIRLS\nIRE CAST DOWN\nThe Reedsburg basket ball team\nwas defeated at Kendall by a score of\n3 to 48. Concerning the Reedsburg\ngirls, who accompanied the boys, the\nKeystone says:\nBut there was a nice bunch of girls\nthey towed in from the town with the\nDoric name! Lovely creatures—some\nof them fairer than the fairest flower\nthat ever bloomed in the vale of Shar\non. Poor girls! They came with\nsprightly youth and glowiog beauty,\nanimated by unalloyed faith in their\ngallants and alive with gushing senti\nmentality, only to be cast down into\nthe dolorous valley of Jehosiphat. It\nWtS too bad.\nloogeledlg\nIS DigE EVERT\nCeremony Pronounced at\nthe Regular Meeting of\nMystic Workers.\nFor tbe first time in the history of\nthe city of Baraboo a couple was mar\nried on Wednesday evening at the\nregular lodge meeting. The bride\nand groom were W. C. Westurn of\nBeloit and Mrs. Zuda Morrison of\nBaraboo. Mr. Westurn formerly re\nsided here and the couple has known\neach other for many years. The cere\nmony was read by Rev. B. E. Ray,\npastor of toe Congregational church,\nthe couple being accompanied by Mr.\nand Mrs. William Lamberton and\nMiss Lillian Steckenbauer playing the\nwedding mareu. The hall was deco\nrated for the occasion, about eighty\nwere present and at the conclusion of\nthe ceremony congratulations were\nextended and presents given. Supper\nwas served at the Robinson restaurant.\nBefore the welding the regular lodge\nmeeting was held, five candidates\nwere initiated, the cflijer3 were in\nstalled by Mrs. Clara Hackett of\nNorth Freedom and all in all it was a\nlodge evening long to bs remembered.\nMr. and Mrs. Westurn have gone to\nBeloit where they will reside at 1143\nSixth street.\nVETERAN’S FUNERAL\nHELD ATJEDSSUR6\nThe funeral of John Mallon, who\ndied Tuesday at his home near Iron\nton, was held in the M. E. church In\nReedsburg Thursday, the. sermon be\ning preached by Rev. Moon of Iron\nton. The remains were laid to rest in\nthe Greenwood cemetery. The de\nceased was an old soldier in the Civil\nwar and was a member of Cos A, 19th\nWis. Inf. He enlisted at Reedeburg\nJan. 10,1862, and fought until he was\ntaken prisoner in the fall of 1864. Elev\nen members of the company were\npresent at the funeral and the pall\nbearers were survivors of the com\nmand. They were Rube Sanborn,\nE. 8. Palmer, A. Fry, Henry Grote\nGeo. Paddock and Wm. Bwetland of\nReedsburg and JBaraboo.\nWill Come Out’Rifllit Side Up.\nConcerning a former North Freedom\neditor the Kendall Keystone says:\nG. L. Schermmerhorn of varied jour\nnalistic experiences, who is well\nknown in Kendall, has settled down\nas assistant editor of the West Salem\nNonpariei Journal. The lad has had\nhis ups and downs—principally the\nlatter—but he is bright and with ex\nperience and the wisdom of accumu\nlating years will come out right side\nup.\nMarch 27, 1848.\nMrs. Dency M. (Hackett) Gray\nborn in Canada, May 13,1839, came to\nSauk county March 27,1848.\nFrank Hackett, born in Illinois,\nJuly 24,1840, came to Sauk county\nMarch 27,1848.\nParshall Hackett, born in Illinois,\nNov. 8,1844, came to Sauk county\nMarch 27, 1848.\nREAD BY EVERYBODY\nTit! Fill ill\n■Tip HEFT\nStrange Coincidence in Sac\nramento, California,\nRecently.\nTHEY DIKED- TOGETHER\nAll Were From Across the\nSea and Had Become\nSeparated.\nBtrange things sometimes happen\nto one when he travels. Forty seven\nyears ago Antone Ludwig and John\nWolf came from their native land,\nSwitzerland, to America. They crossed\nthe ocean together and during their\ntransatlantic trip b?cimefast friends.\nThey first located in Sauk, Wiscon\nsin, where Doth remained for many\nyears. There they were both married\nand by a strange coincidence both lost\ntheir wives in 1912, although widely\nseparated at the time of their be\nreavement.\nMr. Ludwig was the first to leave\nSauk but after a short residence in\nVirginia City, Nevada, he induced\nMr. Wolf and family to follow him.\nIn 1878 both families left Nevada, one\ngoing to Montana and the other to\nCalifornia.\nA few days ago both accidentally\nmet in Bacramento and while they\nwere viewing the sights they were sur\nprised to find William Franke of\nWoodland, also a former rejident of\nSauk City. After the chance meeting\nthey enjoyed a reunion and dined to\ngether. Mr. Ludwig has mining\nproperty and when he resided in Sauk\nCity was employed in the Kosche\nstove foundry. Mr. Franke is a son\nof Mrs, Caroline Frank of Bauk City.\nton hum:\n.gets mu rail\nFour Reedsburg Youths\nTaken to Madison and\nReceive Sentences.\nOn the charge of breaking into Ue\nReedsburg brewery and stealing a\nquantity of liquor, Guy Smith wra\nsentenced at Madison on Wednesday\nto the state penitentiary for 18 month a\nby Judge Stevens in the circuit court*\nPalmer Smith, who was with him*\nwas also sentenced for four years but\nthe court suspended the sentence. Tha\nSmiths are not related to t each other\nbut have been committing depreda*\ntions together. Oae of the Smiths had\nbeen helping himself ito booze in the\nbrewery before, it is stated, and was\nalso implicated in other crimes of a\nburgular nature. Howard Priest\nand Clarence Rebety, two younger\nyouths, went aloDg the last\ntime the Smiths visited the booze fac\ntory and were caught in the net\nthrown out by the officers. Priest\nand Rebety were paroled to B. N.\nJostad, field probation officer of the\nstate board of control for four years.\nDistrict Attorney J. H. Hill of Bar*,\naboo appeared for the state.\nANOTHER RUNAWAY\nIN 6REEREIELD\nOn Wednesday a horse driven by\nJames Albert of Greenfield ran away\nand the driver reoeived a sprained an-*\nkle. Dr. A. L. Farnsworth was sum\nmoned to care for the injury.\nCaught Him With the Goods.\nA Kilboum merchant went on e\nhunting trip for birds and got them\nOn the way home he met a game war\nden and the game warden got the\nhunter. Fine and costs cleared the\natmosphere.\nUndergoes Operation\nMiss Abbott of Sauk Prairie has un\ndergone an operation at a Baraboa\nheme.', 'batch': 'whi_lethifold_ver01', 'title_normal': 'baraboo weekly news.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn86086068/1914-01-22/ed-1/seq-1.json', 'place': ['Wisconsin--Sauk--Baraboo'], 'page': ''}, {'sequence': 1, 'county': ['Dodge', 'Jefferson'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85040721/1914-01-23/ed-1/seq-1/', 'subject': ['Watertown (Wis.)--Newspapers.', 'Wisconsin--Watertown.--fast--(OCoLC)fst01212850'], 'city': ['Watertown', 'Watertown'], 'date': '19140123', 'title': 'The Watertown weekly leader. [volume]', 'end_year': 1917, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Available on microfilm from The State Historical Society of Wisconsin.', 'Editor: E.W. Feldschneider, Dec. 19, 1913-Dec. 29, 1914.', 'Issued also in a daily edition called: Watertown daily leader, March 6-<July 31, 1916>.', 'Publisher varies.'], 'state': ['Wisconsin', 'Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Watertown, Jefferson County, Wis.', 'start_year': 1912, 'edition_label': '', 'publisher': 'W.L. Swift', 'language': ['English'], 'alt_title': ['Weekly leader'], 'lccn': 'sn85040721', 'country': 'Wisconsin', 'ocr_eng': 'THE LEADER\nhas a large circulation i\'i Jefferson and\nDodge Counties and is a good advertising\nmedium. A trial will convince you. :\nE. W. FELDSCHNEIDEK. Editor and Punisher.\nVALUABLE TOPIC FOR FARMER\nBUSINESS METH\nODS ON THE FARM\nEvery Up-to-date Farmer Should\nTake an Inventory of His\nFarm Now.\nThe Leader has adopted anew feature\nin its endeavor to be especially value\naide to the farmer and will each month\npublish p irts of the Wisconsin Bankers\nfarm bulletin, having been requested to\ndo so by the Farmers & Citizens Hank.\nThe for ming article on Inventories is\nan especially valuable one and should be\ncot out aud saved for reference.\nAn inventory is a statement showing\nin detail the value of land, buildings,\nlivestock, equipment, produce, cash on\nhand and in the bank on the date of in\nventory, together with the amounts of\nall notes and bills that others owe to the\nfarmer as well as those that the farmer\nowes others.\nWhy take an Inventory?\nAn inventory shows, lirst, the farmers\ntotal investment, second, his net worth,\nthird, how much his net worth has in\ncreased or decreased during the year.\nThe total investment is determined by\nadding together th e values of the various\nclasses of property. On this invest\nment the farm must pay a fair rate of\ninterest before there is any return for\nlabor. It is often desirable to know\nhow much of the total capital is invest\ned in horses, land, buildings, etc., and\nby a proper grouping of the farm prop\nerty the annual inventory will furnish\nthe most excellent material for such\nstudy. In case there are no debts, the\nnet worth will be the same as the total\ninvestment; but on farms where there\nare debts these must be subtracted\nfrom the total investment. By compar\ning the net worth of the inventory at\nthe beginning of the year and the net\nworth of that at the end of the year, the\nfarmer can see how much he has gone\nahead or dropped behind.\nBesides furnishing the farmer and his\nfamily a living, the increase or decrease\nin the net worth is what the farm has\ngiven in return for labor and the use of\ncapital. To be able to determine how\nmuch one has gained or lost during the\nyear is of great importance, and the\nvalue of the information alone will more\nthan repay the farmer for the time\nspent on the inventory. It is a common\nmistake for all those who do not take\nthe inventory to look at the amount of\navailable cash as a guage of their busi\nness success. This is a grievious mis\ntake for fluctuations in cash mean prac\ntically nothing. A gain of SI,OOO in cash\nat the end of the year may simply mean\nthat some of the property on hand last\nyear has been turned into cash. On the\nother hand, a decrease of 11,000 may\nmean that what was cash last year ap\npears now in the form of anew build\ning or some other improvement.\nAn annual inventory will also be of\nmaterial assistance in adjusting a loss\nby fire-should buildings, or contents,\nbe burned.\nTime of Taking Inventory.\nFor Wisconsin the time of taking an\ninventory will vary between January 1\nand April 1, preferably March 1. The\nexact date will depend on the location\nof the farm and the type of farming.\nOn a poultry farm the most convenient\ndate is in the fall; whereas on dairy and\nstock farms where there is likely to be\na great deal of feed on hand earlier in\nthe year it might be advisable to post\npone this work until later in the winter.\nFor best results ihe inventories ought\nto be taken on the same date each year,\nand, hence, it is advis: ble to choose a\ndate that is early enough to make it\npossible to get this work done before\nfield work begins even during the years\nof early spring.\nBuildings,\nList and give a valuation to each\nbuilding - The value to be put upon a\nbuilding will depend upon its present\nusefulness, original cost, character of\nbuilding material used, construction,\nstate of repair, age, location, etc. In\ncase of dwellings and barns, handiness\nand sanitation are also points which need\nto be considered. The value must be\nestimated on the basis of the above\nfactors. Statistics show that buildings\nwill, as a rule, decrease in value at a\nyearly rate of from two to four per cent\nof the original cost.\nWater System.\nUnder this heading enter all items\nthat have to do with the water supply\nof the farm and that is a part of real\nestate. Gasoline engines and movable\ntanks would not be included in this\ngroup. Pumps, welis, cement tanks\nand reservoirs, windmills, etc., should\nbe itemized and given separate values.\nThe values of windmills and pumps\nmust be reduced at the rate of from six\nto ten per cent yearly, whereas, wells,\nconcrete tanks and reservoirs can be\nput in the inventory at the same value\neach year.\nLand.\nAfter having obtained the value of\nbuildings and the water system, add the\ntwo totals together and subtract their\nCbe iUatmown meekly Header\nsum from the value of the whole farm.\nThe remainder will be the value of the\nland including fences, woodlots and\ndrainage. Land ought to be left at the\nsame value in the inventory from year\nto year unless there is good reason for\nsome other practice.\nLive Stock.\nHorses and cattle are inventoried in\ndividually. In order that they may be\nrecognized when taking the next in\nventory, they ought to be listed either\nby name or number. The local selling\nprice of horses and cows will help to\ndetermine their value. Age must be\nconsidered. Horses usually rise in\nvalue until the y are about 4 years old\nand then fluctuate with the seasonal\nprice until they are about 10, and then\ndrop off rather rapidly. The value of\nmilk cows will usually rise and fall in\nthe same manner. Hogs, sheep, poultry,\n(unless purebred), are usually inven\ntoried at a certain rate per head, this\nrate being based on market price.\nProduce and Supplies.\nThis includes, hay, straw, grains, corn,\nground feed, binder twine, paints, oils,\nnails, posts, etc. Most of the puchased\nsupplies are on hand in small quantities\nand can either be weighed or estimated.\nWith roughage, grains and corn it is\ndifferent. The amounts on hand of\nthese commodities are found by getting\nthe cubic contents of the bins, mows,\nand stacks. To find the approximate\nnumber of cubic feet in a stack, measure\nits length, width and “over.” To meas\nure the “over,” throw the tape over the\nstack and hold it tight down to the bot\ntom of the stack on both sides. Having\nthe measurement, multiply the length\nby the width, by the “over” and divide\nby 4 to get the number of cubic feet.\nThe number of cubic feet to a ton will\nvary from 320 to 550, depending on the\nkind of hay and how well it is packed.\n500 is ordinarily a safe figure to use.\nEar corn will run between 2y% and 2 l / 2\ncubic feet per bushel, depending some\nwhat on the size of the ears and the\nlength of time it has been in the crib.\nIf one wishes to use 2% cubic feet, the\neasiest method is to multiply by 4 and\ndivide by 10. A bushel of oats, barley,\netc., runs very close to 1 l / 2 cubic feet\nto the bushel. To reduce cubic feet to\nbushel, therefore, one may either divide\nby or else multiply the cubic con\ntents of the bin by 8 and divide by 10.\nSilage will vary from 20 to 60 po mds\nto the cubic foot, depending chiefly on\nthe height to which the silage stood in\nthe silo at the time of filling. There is\nno market price for silage, but for the\npurpose of the inventory it may be\nvalued at 1 3 the market price of hay.\nMachinery and Equipment.\nFor best results, list and value each\nmachine and tool by itself. If one does\nnot desire such detail, minor equipment\ncan be listed and valued in smaller\ngroups, as for instance, carpenter’s\ntools, b\'acksmith’s tools and garden\ntools. But no matter which method is\nused in inventorying minor equipment,\nit is always advisable at the time of tak\ning the first inventory to make a com\nplete list of all tools. For later inven\ntories the value of such equipment may\nbe determined by subtracting 10 per\ncent from the value of the preceding\ninventories and adding the value of new\ntools. At just what value to put ma\nchinery into an inventory will depend\non cost, age, usefulness and efficiency.\nA cinder that cuts 20 acres will last\nlonger than the one cutting 100 acres a\nyear. A machine stored indoors while\nnot used will last longer tnan the one\nleft outdoors, etc. The inventions of\nnew and more efficient machines may\ncause sudden drops in the values of the\nold machinery. As soon as the binder\nwas put on the market the value of the\nreaper was decreased rapidly. Special\ncrop machinery will decrease in value\nsuddenly in case the growing of that\ncrop is discontinued. An example of\nthis would be the sugar beet equipment\nin localities where the growing of beets\nhas been discontinued. The average\nrate at which machinery will decrease\nis not always of much use, but may\nserve as guides. The following are\nsome of the annual rates of deprecia\ntion for the more common machines:\nper cent.\nHay rakes, grain binders, mowers.. . 8\nDrills and seeders, corn planters, corn\ncultivators, gang plows. 7\nHay loaders, manure spreaders 12\nWalking plows and heavy harness... 6\nHarrows 9\nWagons and disks 5\nCash and Notes.\nCash on hand aud in the bank, as well\nas all notes and bills that the farm busi\nness has coming from others, should be\ndetermined aud inventoried accurately.\nBy depositing in a bank proceeds of all\nproduce aud stock sold, and payment of\nall bills bv bank cheek, the annual “pro\nfit or loss” may be more easily ascertain\ned aud annual inventories more readily\nprepared.\nDebts.\nAll debts should be included in the in\nventory. It is advisable to list each\nmortgage ana note and bill separately,\nand to give the name of the party to\nwhom it is drawn.\nValuation.\nThe chief aim in taking an inventory\nshould be to make it show the actual con-\nditions of the farm business. In order\nto make the inventory show this it is\nnecessary to be conservative in all valua\ntions. To be able to place an exact\nvalue on the different items of farm\nproperty is, of course, difficult, but for\ntunately this is not absolutely necessary\nfor the accuracy of the inventory as a\nwhole will not vary directly with the\ncorrectness of the valuation of any one\nitem. If one acquaints himself with\ncurrent prices and tries to be fair in\nhis estimate he is not likely to be very\nfar off on the value of any one item,\nand what mistakes he may make wil\nmost likely offset one another. In case\nof the herd he may rate some of his cows\na little high, but he is just as apt to\nvalue other cows a little too low, and\nthe chances are that by adding together\nall of the values his result would be very\nclose to what the herd would sell for.\nK. C. PROGRAM\nVERYPLEASING\nMiss Mary A. Doyle and Miss\nAnna F. Holahan Give Pro\ngram Before Baquet.\nThe Knights of Columbus gave\na very pleasing free entertainment\nat St. Henry’s hall Wednesday eve\nning after which a banquet was\nheld at the K. C. Lodge hall by\nthe knights and their friends. St.\nHenry’s hall was crowded and none\nwere disappointed in the progam.\nMiss Doyle is one of the best read\ners that has ever been here and\nMiss Holaban’s singing was highly\npleasing. The ladies were very\nably accompanied at the piano by\nMrs. C. A. Feist. The banquet\nwas an affair which will long be re\nmembered by all present. Editor\nJ.W. Moore was toastmaster and\nresponses were given by the follow\ning: Rev. Fr. Hennesey, Attorney\nJ. G.Conway, J. E. Me Adams, E.\nMangold, John Salick. Miss Doyle\nalso gave a reading at the banquet.\nEDWARD MAY IS\nCALLEDBY DEATH\nFormer Watertown Mill Owner\nDied Thursday Evening\nIn the East.\nNews was received here from Aspiu\nwall, Pa., of the death of Edward May,\none of the former owners of the Globe\nMilling Cos., one of whose mills, some\ntimes known as May’s Mill, burned to\nthe ground in 1894. Mr. May had been\nill for some time bright’s disease being\nthe cause of death. The deceased was\nabout 57 years of age and was born in\nWatertown. The family went to Aspiu\nwall about ten years ago. He is sur\nvived by his widow aud six children,\nPercy, Gustav, Herbert, Silas, Harry and\nEdna May. Interment will be at Aspiu\nwall, Pa.\nDEPOT AGENT\nIS PROMOTED\nNorth Western Railroad Agent.\nPaul F. Kohler, to Go\nto Grand Rapids\nPaul F. Kohler, who has been the sta\ntion agent at the Northwestern depot the\npast few years has been promoted to\nGrand Hapids where he will have charge\nof the depot. Mr. Kohler has already\ngone to that city and the family will\nmove there next week. G. T. Bopth of\nFort Atkinson has been transferred to\nWatertown in Mr. Kohler’s place. Mr.\nand Mrs. Kohler have been especially\npopular here and their many friends al\nthough glad to learn of the promotion\naresorry to see them leave.\nJohn Walther Attempts Escape.\nJohn Walther, who is in jail at Elk\ntorn awaiting trial for murdering his\nwile near Whitewater last fall, attempt\ned escape in company v\\ Ith Harry McFee,\na slippery confidence man. They had\nsawed the iron bar which holds the steel\nplate i;a place over the manhole of the\nventilator flue. They planned to climb\nthe inside of the flue and jump to the\nroof. The work was done with an old\ncase knife aud must have taken hours of\ntedious toil. The attempted escape was\ndiscovered by the sheriff in time to pre\nvent it.—Jefferson Banner.\nHold-up Occurs\nMiss Sarah Bergiu was relieved of her\nsuit case while walking toward the Junc\ntion Monday evening, the suitcase being\nfound later with its contents intact.\nThe burly fellow who seized it and disap\npeared evidently thought it contained\nmoney. Miss Bergin lives at Richwood\nbut was going to a home near the Junc\ntion where she intended to remain over\nnight.\nWATERTOWN, JEFFERSON COUNTY. WIS„ JANUARY 23. 1914-\nCITY ATTORNEY\nREPORTS SUITS\nStales Outcome ci Boughner and\nLewis Fund Cases at\nCouncil Meeting\nThe following report was given at a\nregular meeting of the city council by\nCity Attorney Gustav Buchheit:\nTo the Common Council of the City of\nWatertown, Wis.\nGentlemen: It is ray duty to report to\nyou at this time the outcome of the two\nof our most important lawsuits, namel>:\nthe one relating to the Fannie P. Lewis\nPark Fund and the case of Helen C.\nBoughner, against the city. The former\ncase involved purely questions of law,\nand Judge Grimm has seen fit to decide\nagainst the contention of the city. In\nthe Boughner case the jury, in Judge\nLueck’s court, rendered a special verdict,\nwhich evidently was based on nothing\nbut sympathy for the plaintiff, who it\nappears is crippled and in destitute cir\ncumstances. I fail to find any evidence\nto establish the alleged fact that the ice\nand snow upon which the plaintiff fell,\nexisted for three weeks prior to the ac\ncident, which under the law must be\naffirmatively shown by the plaintiff be\nfore she can recover. Consequently it is\nmy advice that both of these cases be\ntaken to our supreme court, in justice\nto the taxpayers. Both cses present\nnew questions and the secondary liabil\nity, if there is any, of the Barker Lumber\nand Fuel company can be ascertained in\nno other way, having reference, of course,\nonly to the Boughner case. The additional\ncosts in both these cases, if the city lost\nin the supremo court, would be about\none hundred dollars. Besides the afore\nsaid .castes the cases of Mrs. Schroeder,\nMrs. Polzin and the midnight tresspass\ners may come on for trial next month,\nand in order to provide for the advance\nwitness fees, etc., which may be required\nin such event, and to provide for the\nsupreme court’s clerk fees, in the above\ncases, which I shall appeal, I hereby ask\nyou to appropriate the sum of $75.00.\nRespectfully yours,\nGustav Buchheit,\nCity Attorney.\nStale Feeble Minded Home\nQuito a number of merchants are in\nterested in the fact that the State may\nbuild a home for the feeble minded here,\nnorthwest of the city limits. Such an\ninstitution would mear considerable\ntrade for the merchants as the 600 in\nmates would each have at least two\nout of town visitors during the year\nmaking a total of 1,200 a year.\nEach inmate would perhaps have\nseveral times as many making the\nnumber run up into the thousands.\nThe fifty or more attendants and em\nployees will be a considerable addition\nto the city. But then who would be so\nhard hearted and uuchristianlike as to\nsay he doesn’t want to see such an in\nstitution brought here even if the city\nwere not the gainer?\nPLAN A VISIT TO THE\nSUNNY SOUTH\nWhy suffer the cold, with such winter\nresorts as Florida, Cuba and the Gulf\nCoast within your easy reach? Arrange\nto go south; we will quote you rates, sug\ngest routes and prepare suitable itinera\nries for you. For full particulars apply\nto ticket agents. Chicago and North\nWestern Ry, P. F. Kohler, Ticket Agt.\nTelephone 31-x. 1 16-2 t\nTerwedow Suit Lost.\nThe damage suit of Emil Terwedow\nadministrator for the Estate of Carl Ter\nwedow, against the Milwaukee Road was\nlost when tried before Judge Lueck at\nJuneau recently when the judge ruled\nthat the case was parallel to a similar\none which was taken the Supreme Court\nwhich ruled that a person must stop,\nlook, and listen before crossing tracks.\nMr. Terwedow was struck by a train\nMay 26,1912. The ca=e will be appealed-\nSliehm to Coach U. of W.\nThe University of Wisconsin athletic\nboard last week entered into a three\nyear contract with E. 0. Stiehm, of\nJohnson Creek, as director of athletics\nand coach of the football team at a salary\nof §3,500 per year. This is an increase\nof S9OO over his present salary.—Jeffer\nson Banner,\nHOTEL MARTIN\nMilwaukee’s Newest\nErnst Ciarenbacb lohn J. Sweeney\n. President Manager\nWisconsin Street\n2 Blocks from C & N. W. Depot\nRates SI.OO to $3.00 per day.\n50 outside rooms with private bath’ll.so\n20outside rooms with private toilet 11.25\nTHE DEATH ROLL\nMr. Fred Schoechert died at his home,\n1106 Division street, Monday morning\nafter an illness of four weeks. Mr.\nSchoechert was 76 years of age and was\nborn in Germany, coming here in 1868.\nHe was a man who was highly respected\nand well liked by all who knew him.\nThe surviving relatives are the wife,\nthree brothers, two sisters, two sons aud\nfive daughters. The brothers are Ed\nward Schoechert of this city and Louis\nand William Schoechert of Johuson\nCreek, and the sisters are Mrs. Pauline\nBecker, Nebraska, aud Mrs. Matilda\nSchultz, North Dakota. The sons are\nGottholf, this city, and Otto of Hope,\nIdaho, and his daughters are Mrs. Anna\nSpies of Waterloo, Mrs. Albert Martin of\nMarshall, Mrs. FredjZickert of New Mex\nico, Mrs. Fred Nicholson of the town of\nYork and Mrs. Augusta Burkholz of\nHustisford.\nFuneral services were held Wednesday\nafternoon at 1 o’clock at the late resi\ndence aud at i :30 o’clock at St. Luke’s\nchurch. Interment was in Oak Hill\ncemetery.\nMr. William F. Martch, an old veteran,\nanswered the final call at home 210 Em\nmet street Monday morning. Mr. Martch\nwas born in Prussia, June 23, 1838 and (\ncame here when a boy of 15. He iulisted\nit the Civil War in Cos. A, 3rd Wisconsin\nVolunteir Infantry as sergeant, engag\ning in several battles. He was married\nin 1864 to Margaret Nimm who survives\nhim as does also five children: Mrs. Gus\ntav Martch, Mrs. John Hefty, Addie\nand Della Martch Watertown; William\nP. Martch. Washington D. C. He was\na member of 0. D. Pease Post No. 94 G.\nA. R. He was a man who was liked by\nmany and his death is learned with sor\nrow by his host of friends.\nThe following death notice appeared\nin the Chicago Tribune Saturday morn\ning: “William E. Gallagher, beloved\nhusband of Nellie V., nee Mooney, fond\nfather of George E., Edwin J., Bernice\nA,, and Helen R., uncle of Winifred A.,\nat Mercy hospital. Funeral Monday.\nJanuary 19, at 9 a. m., from residence,\n4157 Berkeley avenue, to Holy Angel s\nchurch, Oakwood boulevard aud Vincen\nnes avenue. Burial private. Lexiug\nton, Kentucky, and Watertown, Wiscon\nsin papers please copy.” The decedent\nwas a son of the late M. J. Gallagher,\nfor many years city assessor of Water\ntown. He left Watertown many years\nago.\nThose from out of town who attended\nthe funeral of Mrs, John Wurtzler Sat\nurday were Miss Clara # Mantz, Mrs.\nCecelia Vaughan, Rockford, III.; Miss\nAnna Mantz, Mr, and Mrs. William Hart\nwig, Fort Atkinson; Miss Margaret\nMantz, Adolph Mantz, Janesville; Mrs.\nTheodore Jax, Mrs. A. Vesper, Miss Edna\nZimmermann, Reinhart Mantz, Miss\nElizabeth Stiehm, Mrs. Ole Olson, John\nson Creek; Mrs. Joseph Wilke and son,\nSouth Milwaukee; Andrew Ziebarth,\nMrs. John Ziebarth, Frank Weisenselle,\nColumbus; Mrs. Joseph Ziebarth. Mor\nrisonville,\nMr. Patrick Condon, and old resident\nof this section of Wisconsin, died Satur\nday afternoon in the family home, 510\nNorth Montgomery street. The infirm\nities of old age was the cause of death.\nSince his removal to this city a few\nyears ago from the town of Emmet, Mr.\nCondon was a familiar figure on the\nstreets, and despite his advanced age,\n90 years, enjoyed good health until re\ncently.\nThe funeral of Mr. Patrick Condon,\nwho died Saturday afternoon, took place\nMonday morning. Services were held\nin St. Bernard’s Catholic church.\nMr. A. J. Roach brother of T. B. Roach\nof this city and formerly of\'XVaterloo\ndied at his heme in Los Angeles, Cal.\nlast week, Mr. Roach who is 62 years of\nage is survived by two daughters, Mrs.\nJoseph O’Laughlin, Waukesha and Mrs.\nClyde Leppo, Los Angles. He was well\nknown in this vicinity and was highly\nesteemed by all.\nThe suicide of Felix G. Dehne of Alba\nny N. Y. has been announced Mr. Dehne\nwho was 30 years of age was the son\nof Frederick Dehne of Hustisford.\nIxonla.\nMr. and Mrs. Frank Koeft of Brown\nStreet were callers at the nurg on Wed\nnesday.\nDan Tlfomas of Bangor is visiting\nrelatives here at present.\nMiss Nellie Tornow, Ocoaomowoe has\nbeen dressmaking here the past week.\nMrs. F. F. Machos visited one day last\nweek with Mrs. 0. H. Wills.\nMrs. Wm. Samuel is ill at her home\nhere, being under the care of Df. Peters\nof Oconomowoc.\nMiss Kathryn Lewis returned home\nThursday after visiting a few weeks with\nrelatives at Oconomowoc.\nAbout forty friends and relatives of\nR. P. Lewis and family and Miss Lizzie\nJones gave them a surprise party. The\nevening was spent in games and music,\nafter which refreshments were served.\nAll present spent a most enjoyable eve\nning.\nMrs. John Gibson of Watertown visit\ned several davs last week with her\nmother, Mrs. Liza Davis.\nWOULD PRESERVE\nTHE SMALL TOWN\nAmerican Fair Trade League Ur\nges Co-operation to Fight\nMail Order Menace\nAsserting that “mail order competition\nis the most serious business issue of the\nday from the consumer’s standpoint,”\naud that “the catalog octopus is in a con\nstantly increasing measure sucking out\nthe life blood of the small towns of the\nnation,” Edmond A Whittier, secretary\ntreasurer of the American Fair Trade\nLeague, today issues a statement calling\nupon consumers, retailers and other in\ndependent business interests to co-oper\nate in a country-wide campaign of edu\ncation. to “apprise the people at large of\na very plain duty.” A great mass of\ndata has already accumulated at the\noffices of the League, purporting to give\nample evidence of the “real economy of\ntrading at home.”\n“Let us not be alarmists on the one\none hand nor cowards on the other/, says\nthe statement in part. “This is not a\nmatter of theory. It is an actual and\nstupendous condition that faces, aud\nthreatens to outface, the small town and\nthe countryside. A recent report of our\nResearch Bureau establishes that the\nmail order houses carry on annually\ntwenty per cent, as much business as\nthat done by the country merchants of\nthe nation. In other words for every\ndollar spent by the rural consuming\npublic, the town or community, or sec\ntion is taxed twenty cejits. It is virtu\nally a tax on the general resources, since\nthe endless chain element is missing.\nNot a cent of .his money comes back to\nthe spender or to any other member of\nthe community, as does a goodly share\nof all the money spent with the local\ndealer. It is aa economic fact that every\nmail order purchase by a citizen marks\na blow at the prosperity of the com\nmunity.”\nOne feature of the League’s education\nal campaign, according to the statement,\nwill be a through presentation of figures\naiming to show that “mail order bargains\nare, in very many cases, such in name\nonly.” On this point, Mr. Whittier says:\n“Aside from the social phase is the con\nstantly increasing evidence that the con\nsumer, in perhaps a majority of cases,\ncan trade at home and actually save\nmoney on the yeai’s purchases.’’\nBEE-KEEPERS\'\nCONVENTION\nWill Be Held At Madison Tuesday\nand Wednesday. February\n3d and 4th.\nWisconsin is recognized as one of the\nleading stales in the Union for the pro\nduction of good honey, with over 12,000\nbee-keepers who have over 100,000 colo\nnies of bees and produce annually over\n1-5,000,000 pounds of honey.\nBee diseases both American and\nEuropean Foul Brood are present in our\nstate to an alarming extent. Another\ndrawback to Wisconsin bee-keeeping is\nthe problem of successful wintering. In\nvestigations show we lose over 10\'4 per\ncent due to poor wintering, and over\nper cent due to spring and windling,-a total\nof 15 per cent in all. Come and hear\nthis problem discussed at the meeting.\nInterest your neighbor in the meeting.\nHave him come with you. The Simons\nhotel will be headquarters for all bee\nkeepers.\nThe question box will be a leading\nfeature, bring your questions and don’t\nforget to be ready with “One Important\nThing You Have Learned in Bee-Keeping\nthe Past Year,” for you will be called on.\nThis meeting will be made as interest\ning as possible. Prizes will be offered\nfor the best papers as follows; first, |5;\nsecond, |3; third, 12, and fourth, |l.\nThis promises to be one of the best\nmeetings we have had in years and a\nlarge and enthusiastic attendance is ex\npected.\nWorms the Cause of Your Child\'s\n" Pains\nA foul, disagreeable breath, dark cir\noles around the eyes, at times feverish,\nwith great thirst; cheeks flushed and\nthen pale, abdomen swollen with sharp\ncramping pains are all indications of\nworms. Don’t let your child suffer—\nKICKAPOOWORM KILLER will give\nsure relief—lt kills the worms—while\nits laxative effect add greatly to the\nhealth of your child by removing the\ndangerous and disagreeable effect of\nworms and parasites from the system.\nKICKAPOO WORM KILLER as a health\nproducer should be in every household.\nPerfectly safe. Buy a box today. Price,\n25c. All Druggists or by mail. KICKA\nPOO INDIAN MED. CO. PHILA. or ST.\nLOUIS.\nSells Meat Market\nThe meat market business at 621 Main\nstreet which was conducted by Theodore\nGoetsch the past nine years has been sold\nby Mr. Goetsch to his brother-in-law, W.\nA. Nack, who has been connected with\nthe market for the past three years. The\nmany friends of Mr. Nack wish him suc\ncess in this enterprise.\nTHE LEADER\npublished on Friday and goes out on the\nRural Routes Saturday morning. Subscrip\ntion 11.50 per annum. TRY IT.\nVOLUME LIV. NUMBER 24\nKUENZLI WINS\nIMPORTANT CASE\nThe Decision Effects Hundreds of\nOffice Holders Through\nout the State\nAttorney Otto Kuenzli won an impor\ntant case at the circuit court at Madison\nbefore Judge K. R. Stevens. Mr. Kuenzli\ndefending Ben Marcus in the case, State\nof Wisconsin ex rel Hrank Postal vs. Ben\nMarcus.\nThe decision effects hundreds of office\nholders in the state who have not taken\nout their second citizenship papers. Mr.\nPosiel endeavored to oust Mr. Marcus\nfrom the office of trustee of the village\nof Muscoda according to an amendment\nof the constitution which took effect\nDecember 1, 1912, since Mr. Marcus had\nnever taken out his second papers. His\ntenure of office up to December 1, 1912\nwas perfectly legal, the question arising\nafter that time. By clever reasoning\nMr. Kuenzli showed the court that his\ntenure of office is legal and that In*\nshould not bo ousted from office on ac\ncount of the constitutional amendment.\nThe outcome of the case was watched\nwith interest by office holders all over\nthe state who have not taken out their\nsecond papers. Mr. Kuenzli presented\na lengthy defense which was practically\nentirely accepted by the judge, whose\nopinion was given in last Saturday’s\nState Journal and occupied over a\ncolumn.\nSocial Doings\nMr, and Mrs. Frank Kreiziger enter\ntained the railway mail clerk;; at their\nhome, 214 Cole street, Saturday evening.\nThose present were Messrs.and Mesdames\nGeorge Henke, Lyman Rhodes, Charles\nBruegger, William Collins, Then. Sick,\nGilbert Kiefer, William Christison, Ed\nward Guso. Frank Schwarz; Mrs. Kuos\nter; Messrs. EdwardSipp, Edgar Kuester,\nJoseph A. Scheiber, W alter 11. Scheiber,\nLawrence F. Scheiber; Misses Ella Sipp,\nCora Kuester, Gertrude Kuester. Ella\nSchliewe, Gertrude M. Scheiber, Berna\ndetta M.Scheiber, Sidonia Guse. Lunch\neon and progressive cinch were included\nin the evening’s entertainment.\nA pretty wedding took p\'acy at Jeffei\nson at the parsonage of Rev. H. Moussa\nlast week Thursday where Miss Mary\nBeunin was united in the holy bonds of\nwedlock to Mr. Fred Otto of this city.\nThey were attended byMissLouisePoefke\nand Mr. Walter Otto both of Watertown.\nA reception was tendered the couple at\nth\'j hofne of the brides brother-in-law\nand sister Mr. and Mrs. Henry 0. Kevins.\nThe couple of who have the well wishes\nof their many friends will reside in Mil\nwaukee.\nA marriage of interest took place in\nChicago Saturday, January 17, when\nMiss Mamie Granseo became the bride of\nMr. K. C. Krueger, at the parsonage of\nthe Precious Blood church. The bride is\nthe only daughter of Mr. and Mrs. Henry\nGransee of Chicago formerly of this city.\nThe young couple will reside in Chicago.\nThe dance given by the K.ofC. last\nMonday evening was a most successful\nand delightful affair. Wheeler’s orches\ntra of Watertown furnished the music\nand all report a fine time.—Columbus\nRepublican\nThe Saturday club program Tuesday\nincluded “The Peace Movement,” by Mrs.\nFrank; ‘ Modern Benevolence,” by Miss\nUngers; “Social Service,” by Miss Hertel.\nThe Corby club program Monday night\nincluded a book review —• “By What\nAuthority,” Very Rev. Robert H. Benson\n—Miss Moran,and a reading,“American\nism,’ Archbishop Ireland —Miss Link.\nA dancing party will be given at Ohm’s\nhall, Pipersville, next Saturday evening,\nJanuary 24. The Imperial orchestra\nwill play and the public is invited.\nDr. and Mrs. John S. Kings were host\nand hostess at a six o’clock dinner given\nat their home in N. Washington street\nMonday evening. Covers were laid for\ntwelve.\nMrs. R. W. Lueck entertained a few\nfriends at her home in Washington St.\nThursday afternoon.\nNotice\nHaving disposed of my meat market i\nhereby request all those indebted to me\nfor meats to settle accounts before Feb\nruary 1, 1914. All bills against me\nshould also be presented before that date.\n21-2 t Theodore Goetsch.\nBuys Lumber Yard\nThe Barker Lumber company of this\ncity have purchased the lumber yard of\nE. Marlow & Son at Ixonia and have\nbeen given possession. A manager will\nbe placed in charge of the plants.\nWho is selling furniture cheap? The\nCentral Trading Cos.\nChildren Cry\nFOR FLETCHER’S\nCASTO R I A', 'batch': 'whi_elizabeth_ver01', 'title_normal': 'watertown weekly leader.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85040721/1914-01-23/ed-1/seq-1.json', 'place': ['Wisconsin--Dodge--Watertown', 'Wisconsin--Jefferson--Watertown'], 'page': ''}, {'sequence': 1, 'county': ['La Crosse'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn86086186/1914-01-23/ed-1/seq-1/', 'subject': ['La Crosse (Wis.)--Newspapers.', 'Wisconsin--La Crosse.--fast--(OCoLC)fst01207161'], 'city': ['La Crosse'], 'date': '19140123', 'title': 'Nord stern. [volume]', 'end_year': 1921, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Available on microfilm from The State Historical Society of Wisconsin.', 'Description based on: Jahrg. 1, no. 2 (6 Dec. 1856).', 'In German with some columns in English.', 'Supplements accompany some issues.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'La Crosse, Wis.', 'start_year': 1856, 'edition_label': '', 'ocr_ger': 'Der „N ordstcrn" ist\ndie einzige repräsentative\ndeutsche Zeitung von 2a\nLrosse\nö 7. Icitirqariq.\nGolil>ciic>l Mcnlcrci\nSieben Personen bei einen: Aus\nbruchsversuch in Mtzla\nlromcl erschossen.\nMcAlestcr, Lkla, 20. Jan.\nSieben Personen wurden erschossen\nund drei durch Schüsse verleyr, als\nMoulag Abend drei Sträflinge aus\ndem Slaarsgesänginß >u McAlestcr,\nQkla., zu entfliehen versuchten und da\nbei von Warlecn niedergestreckt wurden,\numer den Opier befindet sich John\nR. Thomas von Muskego, ehemals\nBundes-Disttlklsrichier und einmal\nRepräsentant des Staates Illinois.\nTrotz der riesigen \'Aujregung, die umer\nden übrigen 1,500 Insassen entstand,\nmachte keiner einen Fluchtversuch, ob\nglieck viele von ihnen die dreiDefperadoS\ndurch Zurufe anfeuerten.\nTleTodtem: John R. Thomas,\nMuskego. eheii\'.aliger Bundes-Tistrikls\nnchler; H. H. Drover. Superintendent\nder Beriillo - Abtheilung; Patrick\nOales. Httss-Oberwarter; F. C Go\ndercy, Wärter; Choia Reed, Sträfling;\nThom. Laue, Sirüfling; Cyas. Koontz,\nSträfling. Die Verletzten: I.\nMari!. Thürichließer; C. L. Wood.\nWaiier; Mary Foster, Telephonistin.\nTie drei Sträflinge hatten alle sich\nihnen in den Weg stellenden Personen\nso schnell uiedergefcho-eit, daß die\nWäller gar nicht zur Besinnung kamen,\nbis die T:ei in\'s Freie gelang! Ware.\nDie drei \'Ausreißer hatten dem Tbü!\nschlicßer Joyn M ott den Tdarichlüs\nsel entrisse, nachdem sie ihn selbst ver\nwunsel hallen. Dann rissen sie die\nTelephonistin Mary Foster m t sich in\nden Hos und benutzten das Mädchen\nals Deckung gegen die Schüsse der\nWärter, bis sie von einer Kugel in s\nBei getroffen niedersank.\nSobald die drei Sträflinge außen\nangelangt waren, fuhren sie aus dem\nBnqgy des Wärters Dick fort, wurden\njedoch bald von anderen Wärtern, die\nzu Pferde wa en. durch einen wahren\nKugelregen todt niedergestreckt. Wie die\ndrei Sträflinge, die in der Schneider\nwerkstatt arbeiteten, die Revolver be\nkommen haben, konnte noch nicht fest\ngestellt werden.\nUntersuchung in Colorado.\nDenver, Colo.. 22. Jan.\nGouverneur E. M. Ammons von\nColorado versprach am Mittwoch, ,ine\ngründliche llnleriuchnng der To u nenie\nanstellen zu wollen, die ihm von d r\nvon der Federation of Labor des Sl, a\ntes a s seinem Wunsch ernannten Emn\nmission gestern zugestellt n urden. De.\nGouverneur will sich erst vergewissern,\nob die von der Commission erhobenen\näußerst schwerwiegenden Beschuldi\ngungen auch aus Wahrheit beruhen, be\nvor er andere Maßnahme trifft.\nDie Commission erhebt schwere An\nklagen gegen die Miliz; verlangt die\nAdbernsung des Generaladjuianien\nChase und anderer Oificiere der Na\ntionalgarde, die Entlassung aller Mc\nlizsoldaie und Emfernuiig der Gru\nbenwächier und Privatdetektivs u. s. w.\nEine Pockenepidemie.\nNiagara Falls, N. A, 22. Jan.\nNach einer Ankündigung der städti\nschen Gesnndheilsdehörde in Niagara\nFalls, N. N-, sind dort in der letzten\nZeit nicht weniger als hundertundzwei\nFalle von Pocke amtlich gemeldet wor\nden. Die Siadtbehörde trifft deshalb\nAnstalten, die Abhaltung von Ver\nsammlungen zu verbieten und alle Ver\nsammlungslokale zu schließen.\nUnterseeboot gefunden.\nPlymouth, England. 22. Jan.\nDa dis jetzt alle Nachforschungen nach\ndem vorige Woche mit elf Mann an\nBord unweit Pchmouth gesunkene >\nbritischen Unterseeboot „A 7" vergeb\nlich geblieben waren, hatte die Admira\nlität eine Anzahl ihrer\'Hydroaecoplänc\nmil der systematischen Absuchung der\nWhiiesand Bay. wo das Unglück sich\nzulrug beausiragt.\nIm Laufe des Tages gelang es. die\nLage des gesunkenen Fahrzeugs in ei\nner Tiefe von zweihundert Fuß festzu\nstellen.\nStrlithcona gestorben.\nLondon, 21. Jan.\nLord Stralhcona and Mount Royrl,\nOberkomiNlffär des Dominium Ca\nnada. ist am Mittwoch in der zweiten\nMorgenstunde in London im Atter von\nnahezu 94 Jahren gestorben. Canada\nHai dem Verstorbenen zum großen\nTheil seinen wunderbaren Ausschrrung\nin den letzten Jahrzehnten zu verdan\nken.\nIM" Plant eine Reise nach dem\nsonnigen Lüden.\nWarum unter der Kälte leiden, wenn\nsolche Winier-Reiorls wie Florida.\nCuba und die Golf Küste in Ihrem be\nauemen Bereich liegen? Arrangiren\nSie eine Reise nach dem Süden: wir\nwerden Ihnen Raten auvnrrn. Noucen\nvorschlagen und ene vav nde Tour\nxreporcren. Für volle Einzelheiten\nsvrecbl bei Tick,:-Agenten der Chicago\nund Nonhwestern-Bahn vor.—Anz.\nl Heraukqrgedru von der /\n- Nordstern Bnoeiattou. Lr EroNe. Wi. t\nI Fort Bliß.\n5000 inorikcinischc Soldaten,\nFrauen und Kinder sind jetzt\nKriegsgefangene.\nEl P-rso, Ter.. 21. Jan.\nUnter der Obhut amerikanischer Bun\ndeskavalleiie wurden die 3300 mexika\nnischen Soldaien sammt ihren 163!\nFrauen und Kindern, die nach der\nSchlacht bei Ojinaga, Mex . gezwungen\nwaren. Zuflucht auf amerikanischem\nBoden zu suche, in Fort Bliß, Tex.,\ninleriiilt, wo sie aus unbestimmte Zeit\nals Knegsgesange gehalten werden.\nGeneral Salvador ist noch immer Be\nfehlshaber seiner Truppm. doch uiiler\nstehl er dem Oberde eh. Brigadegeneral\nHugh L. Scott von der amerikanischen\nBundesarmee. Dem merikai ftclien Ge\nneral wurde seine Würde hauptsächlich\naus dem Grunde belassen, damit das\nZeltlager schnell orgamsirt und leichter\nin Ordnung gehalten werden kann.\nGen. Mercado. sowie auch die übrigen\nüber die Grenze geflohenen mexikani\nschen Generale C.slro. Römer und\nAdana gaben ihrer warmen Anerken\nnung über diese Vergünstigung Aus\ndruck\nBald nachdem die Flüchüinge die\nZüge verlassen hatten uns in dem um\nzäunten Lager uiuergebrachl waren,\nbrannten auch schon die Lagerfeuer, und\ndie erste Mahlzeit der hnirgrigen Mexi\nkaner in Fort Bliß brodelte in den Kes\nseln. Wie lange die mexikanischen Sol\ndaten und sonstigen Flüchtlinge von\nOnkel Sam beköstig! und bekleidet wer\nden. ist noch nicht bekannt.\nHandelsverträge.\nBerlin, 21. Jan.\nStaatssekretär des ReichsamlS des\nInnern Dr. Delbrück kündigle am\nDienstag im Reichstag an. daß die\nRegierung sich entschlossen habe, an\nden bestehenden Handelsverlrägen scst\nzuhallen, die süinmttich im Jahre 1917\nrevidlN bezw. gekündigt werden kön\nnen. Die Regierung, sagte er, werde\nweder eine neue Tarifvvrlage einrei\nchen, noch die bestehenden Verträge\nkündigen. Die Initiative müsse daher\nvom Ausland erc r ffen werden, widri\ngcnf\'.lls die Verträge au ho naüsch er\nneuert werden.\nÄnichernend hat die Regierung eine\nRevision der Handelsverträge ausgege\nben, weil sie einen gewaltigen Kampf\nzwischen de Befürwortern eines klaren\nund lückenlosen Tarifs und den Resor\nmaioren, die gegen die hohen Einfuhr\nzölle auf Lebensmittel eifern, befürchici.\n„Horchn" fahrt heim.\nVera Cruz, Mex., 22. Jan.\nTer deutsche Gesandte. \'Admiral von\nHintze, und Präsident\' Wilsons persön\nlicher Vertreter John Lind waren am\nMittwoch Gaste des Eommciiidancen\ndes deut>chen Kreuzers Hertha, welcher\nnach Deutschland abfahrt. Die Hertha\nist von der Dresden abgelöst worden.\nAl\'M\' Ll (\'Mkilliiis!t\'.\nIm Kcriser-WÜHelmslcmd ist eine\nneue Tropfsteinhöhle entdeckt worden,\ndie durch ihre ungeheueren Timcnsio\nnen besonderes Interesse erregt. Sie\nstellt eine riesige gewölbte Halle dar,\ndie die Form einer ungeheueren Kircke\nhat. In ihre: höchsten Höhe ist sie\n162 Meter hoch. Von der Ausdeh\nnung der neugefundenen Tropfstein\nhöhle kann man sich ferner einen Be\ngriff machen, wenn man hört, daß sie\n1400 Meter lang ist. Tie Akustik\nder Tropfsteinhöhle ist vorzüglich,\ndenn jedes Wort, das darin gespro\nchen wird, soll einen brausenden\nKlang haben. Den Eingeborenen des\nLandes muß die Höhle, die auf dem\nrechten Mer des Baches Jukan gei\ngen ist, seit vielen Jahrhunderten be\nkannt sein. Dies geht aus Gerät\nschaften, Warfen und allerlei anderen\nGebrauchs .\'gensländen hervor, die\nzum Teil ictwn durch ihre Form und\nArt daraus hinweisen, daß sie vor vie\nle! hundert Fahren im Gebrauch wi\nrkn. Tiete Gegenstände haben ein\ngroßes völkerkundliches Interesse. Es\nwurden aber darin auch Gebrauch-ge\ngenstände und Waffen aus der neue\nsten Zeit gesunden, und es erweckt den\nAnschein, als ob die Tropfsteinhöhle\nvon den Eingeborenen als eine Art\nvon Kriegskammer benutzt worden\nwäre. Durch ihre recht versteckte\nLage erscheint sie dazu besonders ge\neignet. Ter Eingang der Höhle ist\nverhältnismäßig sehr klein und von\ndickstem Buschwerk bedeckt. An viele!:\nStellen der Decke fäll; Sonnenlicht\nin die Höb\'e. und es bat den \'Anschein,\nals ob die Lichtösfnnngen von Men\nschenhänden gemacht oder erweitert\nworden wären.\nzM" Hür Frostbeulen und aufge\nsprnngene Haut.\nFür erfrorene Ohren. Finger und\nZehen, aufgesprungene Hände und\nLippen. Frostbeulen. HautauSbrüche,\nroihe ,nd rauhe Haut gibt ei nichts\nbesseres wie Bucklen Arnica Salbe.\nDas beste Mittel sur alle Hau!-i rank\nheiien. juckendes Eccenia, Pi.es eic. 25c.\nBei allen Avolh\'kcrn oder per ck st.\nH. T. Bucklen dc Co . Philaderph a oder\nSt. Louis. -An;.\nPräsident Wilson s Trnftdotschnft.\nverbot ineinanX\'rgreifcndcr AufsichtSbebÖrden. der\nder Zwischenstaatlichen Verkehrs (Lomnuision. Genauere IX\'sinition\nnon „Beschränkung des Handels\'. Schaffung einer\nZwischenstaatlichen Industrie Kommission. t?er\nbot sogenannter „Holding Companies".\nWashington. D C., 21. Fan.\nIn der dazu anberaumten gemein\nschaftlichen Sitzung beider Häuser des\nCongreffeS verlas Präsident Wilson\nam Dienslag seine angekündigte Son\nderbolschasl. in der er das Programm\nder demokratischen Adininlstraiion be\nzüglich der Trustpolilik entwickelte. Ter\nPräsident erklärt, diese Problem „de\nschäitige jetzt das Bolk" und Iviedeiholie\nseine frühere Erklärung, daß „private\nMonopole nicht zu rechtfertigen und\nunerlräglich" seien. Tie gewissenhaf\nten Geschäftsleute des Lande, sagt er.\nwerden nicht ruhen, ehe den jetzt als\nBeschränkung des Handels verrufene\nGeschästsmelhoden gesteuert sei.\nEs handle sich jetzt darum, dem Pro\ngramm des Friedens einen weitere\n\'Artikel einorsuge, des Friedens, der\ngletchbedruieno sei mit Ehre, Freiheit\nund Wohlstand.\nG-oßeii W-rih legt der Präsident in\nseiner Botschaft daraus, daß alles in\nfriedlichem Zusammenwirken vor sich\ngehen iolle.\nTie Zeit des Kampfes zwischen der\nGeschäftswelt und der Regierung, er\nklärt er, sei vorüber, und es solle jetzt\ndas gesunde geschäftliche Urtheil zum\nWorte kommen; Geschäftswelt und\nRegierung seien beide bereit, sich aus\nhalbem Wege entgegenzukommen, um\ndie geschäftlichen Methoden mit der\nöffentlichen Meinung und den Gesetzen\nin Einklang zu bringen.\nSieben Hauptpunkte.\nTie Grundlage der von ihm beab\nsichtiglen Gesetzgebung legt der Prä ff\nsidenr in folgenden Hauptpunkten fest.\nI. Verbot ineinandergreifender Aui\nsichtsräihe großer Corporalionen\nBanken. Bahnen, inoustrielle. geschäft\nliche oder öffenckiche Betn-bsgesellschas\nten.\n2. Befugniß der Zwischenstaatlichen\nBerk.hrSkviilutijsiou. die Finanzen der\nBahnen, namentlich ihre Werthpapier-\nEmissionen zu beaussichligen; letzteren\nsollen die Quellen ichl verschlossen\nwerden, sich die Mittel zum angenieste\nnen Ausbau der Transporlgelegenhei\nten zu beschaffen denn das Wohldes\nLandes und das der Bahnen sind in\ndieser Hinsicht eng verbunden.\n3. Genaue Definition der „Beschrän\nkung des Handels" als Ergänzung zum\nSherman-Gesetz.\n4. Schaffung einer Commission, di\neinerseits den Gerichten an die Hand\ngehen, andererseits als eine Art\nClearinghouse durch Auskünfte der\nGeschäftswelt behilflich sein soll, sich\nden Gesetzen anzupassen.\n5. Verbot sog. „Holding Compa\nnies"; ferner soll versucht werden, die\nfinanzielle Betheiligung Einzelner an\neiner Reihe von Corporalionen zu be\nschränken\n6. Persönliche Bestrafung der Ein\nzelpersonen. die für gesetzwidrige Me\nthoden veranlworUich sind.\n7. Einzelpersonen sollen das Recht\nhabe, bei Lchadenersatzprozessen gegen\nCorporalionen sich aus etwaige Ent\nscheidungen und Beuelsma\'ericck aus\nRegierungSprozesikn zu stützen, ohne\ngezivungen zu sein, von sich aus die\nLast des Beweises zu tragen.\nDes Präsidenten Ausfüh\nrungen.\nIn seiner Ansprache an den Congreß\nerklärt der Präsident d-esenr. er hatte\njetzt den Augenblick für geeignet, das\näußerst schwierige und verwickette Pi o\nblem der Trusts und Monopole anzu\nfassen, das er schon in seiner Jahres\nbotschasl tin Dezember angedeutet habe.\nTie Finanzvorlage, die bisher das In\nteresse in Anspruch genommen, sei jetzt\nerledigt, und noch mehr, die öffentliche\nMeinung über das Trust- und Mono\npolproblem beginne sich sehr rasch zu\nkläre. AngesichiS der Monopole, die\nsich allerorleii vervielfacht haben, und\nangesichls der verschiedenen Methoden,\n>v;e jie geschaffen und auickechl erhallen\nwerden, scheine sich doch allmählich fast\nüberall eine Einsicht gellend zu machen,\ndie für die Pläne der Regierung einen\ngulen Bode abgebe, und es ermögliche,\nmil Verlrauung und ohne Verwirrung\nvorzugehen.\nGesetzgebung, sagte der Präsident.\nHai ihre eigene Aimv\'phare, wce alles\nandere, aus zu der Aimosphäre des\nwechselseitigen Entgegenkommens und\nVergehens, in der das omenkannch\nVolk jetzt lebt, kann man sich nur be\nglückwünschen. Tic e sollte unseie\nAufgabe viel weniger schwieriger mc>-\nchen. als wenn die Regierung mil der\nAtmosvhäre des Argwohns und des\nWiderspruchs zu rechnen hätte, d:e so\nlange es unmöglich gemacht Hai. solche\nFragen in leidenichasilichrr Gerechtig\nkeit in Angriff zu > eh-\'en. Alle er\nfolgreiche ccnstrukllve Gesetzgebung ver\nkörpert immer eine gereifte und über\nzeugende Erfahrung. Gesetzgebung\nmernr Auslegung, nicht Schep\'urg.\nund es liegt klar vor uns, in welchem\nSinne wir uns an die vorliegende\nF,age machen werden: unsere Meinung\nüber dcesc.be ist nicht eine spontane\n!k>a Crosie. WiS.. Freitag, den st\'Z. luimar I\'.\'l I.\nübereilte, sie entspringt vielmehr der\nErfahrung einer ganze Generation,\nsie hat sich allmählich zeklän und dic\nfenlgen. die sich lange gegen dieselbe\ngesträubt und derselben eniqegengeai\nveilet haben, geben nun auiuchug „ach\nund suche ihre Geschäfte mo derselben\ni Einklang zu bringen.\nUmschwung der Auffassung.\nTie großen Geschäftsleute, die Mo\nnopole organisinen und thaliachuch Tag\nfür Tag ausübten, haben dis ,eyr stets\nentweder deren Vorhandenst. geleug\nnet. oder dieselben als unumgänglich\nnöthig für die Entwicklung des Ge\nschäfts, der Finanzen und der Fndusttie\ndargestellt: indeß bat sich die öffenckiche\nMeinung mehr und mehr gegen sie ge\nnchlel, der durchschnittliche Geichätts\nmann Hai eingesehen, daß Freiheit imi\nFriede und Erfolg gleichvedeuiend >,t.\nund tchliefiltch haben wenigstens die\nMeister des Geschäfts großen Lu;:.\' be\ngonnen einzulenken.\nWir beabsichtigen glücklicherweise nickt\ndas Geschäft, dos in crusgeki:\'. \'Weise\ngeführt ist. zu behindern oder zu störe,\nder Kamps zwischen Regierung und\nGeschäft ist vorüber, und wir schicken\nuns jetzt an. dem gcschäitlichei. Gewissen\nund der geschäftlichen Ehre der Landes\nden denkbar besten geschäftlichen Rath\nzu geben, Regierung und Geichastsweli\nkommen einander auf halbem Wege eul\ngegen, um die GeschaslSmeih.d-n „nt\nder öffentlichen Meinung uns den Ge\nsetzen in Einklang zu bringen. Grr -de\ndie besten Geschäftsleute verunheireu\ndie monopolistischen Geschästsmelhoden\nund deren Wirkungen, und instinkttv\nschließt sich dieser Ueberzeugung die\ngroße Menge der Geschäftsleute mi\nganzen Lande an. Wir treten als ihr\nSprecher aus. u. darin ist unsere Slärle\nuno unser Glaube an das, was wir jetzt\nzu erreichen wünschen. Wenn der ernste\nKamps vorüber, wenn die Ansichien\nausgeglichen sind, wenn Diejenigen, die\nlhic Geschäf.snielhvden andern müssen,\nBch nt denen vereinige, die diese Aen\nderungen verlangen, dann wird es\nmöglich sein, die in einer Weise durch\nzuführen. die so wenig als möglich Um\nwälzungen verlang!, und so leicht als\nmöglich; es scll nichls \'Wesentliches ge\nstört, nichts mit der Wurzel ousgerip\nsen, keine zusammengehörenden Theil\ngetrennt werden, denn glücklicherweise\nsind in der That gar lerne drastische\noder neuartigen Maßregeln nöthig.\nBekämpfung des Mono-\nUnsere Ueberzeugung ist, sagte der\nPiästdeni, daß Monopole unenlschuld\nbar und unerlräglich sind, und duiaus\nstützt sich un>-r Programm, das um\nsassend, aber weder radikal noch unan\nncymbar ist, u>d die Aenderungen, die\nvorgeschlagen werden, find solche, au,\nwelche die Äeschäsiswel! bercils ivariei.\nDieselbe wann in erster Linie aus Ge\nsetze. die meinandergreckci.de Aussicht\nraihsbehörderi wirtlich verbietet, sur\nalle große Corporalionen, bei denen\nsich der unnatürliche Zustand heraus\ngebildet hat. daß vielfach Die, die bor\ngen, und Die. die lechen, der Raufer\nund der Verkäufer lhaiiachlich dieselbe\nPersonen sind, indem enr und dieselben\nPersonen unter verschiedenen Finnen\nund in verschiedenen Combinaiionen\nherüber und hinüber Geschäfte neiden:\ndaß ferner Diejenigen, d e vorgeben, zu\nronknrnren, thatsächlich da ganze Feld\ncontrosiiren. Selbsiv.-.llanditch ist bei\nder \'.Auslösung dieses röstenis genü\ngend Zeit zu lassem laß dieselbe sich\nohne Verluste und ohne Verwirrung\nvollzieht.\nUnnatürliches Verhältniß.\nEin derariiges Verbot ineinander\ngreifender Direktoren: cbörden r arde\nverschiedene ernstliche lo clstande veici\nligen. bkckpiclsweise det- daß die Lener\nder großen Finanzim: nilc auf dicse\nWeife vielfach die Pico iilnehmen, w?\nvon rechlSwegen der un hängigen In\ndustrie zukommen: es rd ein neuer\nGeilt und neues Leben neue Männer,\nin die Leitung der gr r> industriellen\nUnternehmungen komv v \'dem sich Vi\nelen, die jetzt dienen n .wo sie an\nleitender Stelle lei \' Ten. eine Zu\nkunft eröffnen, die : lunge LOuie\nder Industrie zutühren w:rd.\nGenaue Teiln:! n nöthig.\nFerner erwarte d - d m Span\nnung eine genaue ju, che Definition\nder Auslegung der Am .rustgctetze, die\ndis jetzt noch fehle. - äns sei nn Ge\nschaslsleben hinderlick als Ungewiß\nheit. nichts enlmuib der als die\nNothwendigkeit, das b \'o zu tragen,\ngegen das Gesetz zu wßen. solange\n! dielcs noch nicht ev ig klargestellt\noft. Nachdem man durch Ersch-\nFuug genug mit i Neihoden der\nj Monopole bekannr. vollends n-chi\noaehr \'ckwer. di- Uv beit zu besei\n! ngen. indem man man iestletz-,\nwas p.gen das GeO d damil slras-\n.st.\nDie Industriek o m m i s s i o .\nDie Kesäiäslswell brauche aber nichi\nnur klare Gesetze und Strafbestimmun\ngen. sie brauche auch Rath und \'Aus\nkunft, was sie am besten von einer Bun\ndes Fttduttriekomniission bekomme\nivnine. deren Schaffung im ganzen\nLande ohne weitere mit Freude be\ngrüßt würde: \'Ausgabe dieser Commis\nsion wäre >s nicht, nt den Monopolen\nBedingungen zu vereinbaren oder durch\nUebernahme der Controlle der Regie\nrung gewissermaßen die Vercimivorlung\niitt deren Geschäfte auszuladen, vielmehr\nsollte sie nur als berathende Stelle eine\nArl Cleap\'nghvuse bilden, zum besten\nder ösfenii\'cüeu Meinung und der gro\nßen Unieiiiehiiiuiigkn,- sie könnte den\nFiilerc sjen dieser Unterchmungen ge\nrecht werde in Fällen, wo die Geringe\nversage,\nPersönlich e V e r a lwvl l I i ch°\nleit.\nWeitsichtige Geschäftsleute werden eS\nmit Genugiyuuiig begrüßen, wenn wtt\ndie Frage der Veraittwonlichke!\'. l der\nWeife regeln, daß >m Falle nöthiger\nBestrafung sich dieielbc nicht gegen die\nCorporattv als zolche. sonder gegen\ndiejenigen Personen, die im bestlimnie\nFalle tur die gesetzwidrigen Handlungen\nveranlwortlich sind richten; es sollte das\nZiel der Gesetzgebung sein, diese ver\nantwortlichen Personen, die sich m je\ndem Falle Nachwelten lassen, und das\nGeschäft, nur dem sic Mltzvrauch treldi n.\njuristisch streng getrennt zu hatten, und\nBeamte und Direktoren daran zu hin\ndern. daß sie durch gesetzwidrige Ge\nschasiswelhoden ihren Ruf und den der\nGetchüflSivett des Landes auf\'s Spiel\nseyen.\nDie „Holding Companies".\nIn der gegenwärtigen Zeit der Rir\nsenvermogc yängen ver>chiedene ge\nschäftliche Unternehmuiige auch ohne\nlneinaiivergreifende Dtteklvceiibehvrdeu\nvielfach dadurch zusammen, daß der\ngrvgere Auihrtt iy,er \'Aktien i einer\neinzigen Hund, oder in Handen einer\nGruppe von Einzelpcrsriien vereinigt\nist. Cs herrscht kein Zweifel, daß die\nftg, kigeittlichen „Holding Companies"\nverboie werden lollleu; daun kommt\nnoch die Frage, oö cs euizciuen Perso\nnen gestartet reu soll, diest-tbr Rolle, wie\ndie genauine Ost ~ i, chaficn zu spielen ?\n2l stch veavjichrig: vie Regierung ge\nwiß mchl, irgend zu verbieten,\nBch soviel Ltttten zu :„uten, als ihm seme\nVeihailnijte gettalicn; ur biesrm Falle sei\njedoch d,e Frage zu erwägen, ov nickst ein\nGejetz zu rchafseu iv.rre, ach dein Aktio\nnäre, die I verschiedenen Getelifchasien.\ndie an sich unabhängig voneinander sei\nfrUeu, tonirvUirende Einfluß haben,\nduß ihnen aus Griiud ihrer Aknen zu\nstehende Sttmilectst nur in erner von\ndiesen Gesellschasien ausüben dürfen,\nwobei ihnen die Wahl der Gesellschaft\nselbstverständlich übr-nassen bliebe.\nRecht aus Entschädigung.\nEin weiterer Punkt, der ernstliche\nErwägung erfordert, ist der der Ent\nschädigung solcher Geichäsisleule, d,e\ndurch große (Korporationen in ihren\nGeschäften geschädigt worden, oder gar\na die Wand gedruckt morden sind.\nDiesen sollte das Recto zustehen, bei\nErsatzklagen sich aus das Beweismaie\nruck und die Eniicheidunge etwaiger\nRegierungsprozksie gegen die betreffende\nCorporation zu stützen, wenn dieie schul\ndig beiunden wurde, und die Verjäh\nrungsfrist in solchen Fä en soll erst vom\nTage der llnheckssprechung > dem be>\ntreffenden Regierungsprozeß an berech\nnet werden. Es ist ungerecht.. wie es\nbis jetzt geschieht, in solchen Fallen die\nganze Bewkilast dem individuellen Klä\nger auizuladeir. der unmöglich Erhe\nbungen in dem Umfange anstellen kann,\nwie vie Regierung.\nEin ernster \'Appel l.\n„Ich habe." schlvsi der Präsident\nseine Boiichasl. .! tzi den Fall Ihnen\nvorgelegt. w:e er ruäi in den Aua>> des\nj Volkes, und, wie ich hosse. auch \' i den\nIhrigen darstclll. Ich habe Ihnen\nnieine Vorschlage gemacht, Sie aus Ihre\nP \':cht dem Volke gegenüber hingeivi\'\nien . es sind keine neuen Fragen, um die\nes sich bandelt, und sie iiiupen jetzt in\nAngrisl genommen weiden, wenn wir\nuntere Ge\'etze mil den Ansichten und\nden Wünschen des Lander ur Emkcang\nbringen wollen Solange die von nur\nangrdeuieien Resormen nicht dnrchge\nsuhrl sind, kan sich der rechtlich den\nkende Geschäftsmann nicht zufrieden ge\nben, in dein wir in dreien Fragen unse\nren gegebenen Becaiher zu sehen haben.\nWir wollen Htzi unserer Vertagung\nde Friedens, der Ehre, de- Freiheit\nund des Wohlstand, einen neuen Ar\nlckel anfügen."\nO *\nMo gespannter Ausmerüamkeit böi\ni\'n die Senatoren und lbproseniantrn\na\' ; -s Wo:!, welches de: P\'- :?nt\nspi! \' nd brachen ,immer \' leb\nhaften \'Applaus auS. nenn Piasioent\n\' Ent*r*d in the Palt Office In >\n\' laCrwsp. Wii., nt üecomi nt**n. ?\nRütli ;r Pcriliuisk.\nDusl erklärt die ktasterschiiüffeleien\ngewisser Zeserniaiore für\nfilleiigesäl\'rdend.\nPhiladelphia. Pa.. 22. Jan.\nErpräsideiil Tasi tadelte ani Mitt\nwoch Abend in einer gelegentlich der\nAbbilußprüsung einer Ipesigen Han\ndelsschule in sarkastischer Wecke die Re\nform beslrebungen gewisser Leuie. deren\nZiel angeblich die Erreichung einer rei\nneren Ten vkraiie nd grcherer socialer\nund individueller Freiheit ist. Herr\nTust annie diese Lerne Demagoge\nund unpraktische Schwärmer. Er grd\nzu. daß etliche Resorinbewegungen, lne\nin der letzten Zen eingeleitet wurde,\nguie Folgen gehabt haben, ermahnte\naber dann die Zöglinge der Schule,\nsich nicht de Kvpi von de Retorina\nwien verwirren, sondern sich mehr ooni\ngetunten Menschenverstand leiten zu\nlassen.\nProscssor Tast wandle sich vornehm\nlich gegen die Elörieiung sexueller Fra\ngen l Gcgeiiivart von Männern und\nFcaue. die nur dazu cingeihaii sei\nda- Schamgesulü abzuiödlet\'. Als\nlächerlich vezeichneie er die Vorgänge,\nwie sie in letzter Zen v icrs beobach\ntet wnrden, daß Schulkinder an den\nStreik gingen, weil einer ihrer Lehrer,\nden sie gi leiden mochten, nach einer\nanderen Schule versetz wurde. Als er\noch jung war, sägte er hi".,, nd Los\nist nicht gar so lange her. hätten Kin\nder, die etwas Deiariiges gewagt hät\nten. zu Haust eine gehörige Tracht\nPrügel bebau,neu. doch heule scheine\nhiistensche Ettern ihre Kiudcr noch zu\nloden und auf sie stolz zu sein, wenn sie\nunartig sind.\nSterllschil\'lppkli.\nDie Föhn A. Salzer Seed Ev.\nverjchissl zur Zeit erne große Bestelln g\nnoch Aranda de Duero, Spa\nnien, via New?jork, einhaltend eine\nallgemeine AuSinahl von Wiscvnsiner\nSämereien, die auch im AuSlandc einen\ngroßen Ruf erlangt haben.\nZwei Jndustricritter. die sich Ed.\nBairnS von New Bork und Wm. Far\nrar von Chicago nannten, wurden von\nder Polizei aus den Schub gebracht\nSie böte in der Sladl nachgemachte\nPelze zum Berkauf an, trotzdem zur\nZeit echte Pelze schon so billig und da\nbei unverläuslich sind.\n- Auf Vertilgung der Geiundh.ilS\nbehörde ist Frank Vasicek umersagl\nworden, in 110 Siid-Fronlstraße eine\nGeiberei einzurichic. weil dieselbe\nmitte in der last sich aIG.-i eiii\nschadcn erweisen müßte. Eine solche\nIndustrie gehört andecSwo hi, und\ne> pasiender Platz wird leicht zu finden\nsei.\nFöhn Pitz, der Kastellan vom\nCourihiruse. der bekanntlich letzte Woche\nvon einem schuminen Unbill belrosscn\nwurde, ist aus der Genesung.\nEin höchst ungesundes nd\nverkrüppelte Kind der Legisla\nI r von Wisconsin icheint das neue\nHeircuhsgejetz zu sei!\nTie Milwaickee-Bahn Hai den\nGesuchen von Geichästscrisende und\nAndern nachgegeben und läßt ihre\nZug No. AI von La Crosse wieder um\n5:30 Morgens stall um 4:50 ab\nsahren.\nldiH\' Trummond macht eine Spe\nzialität aus guten und schwierigen Re\nparaturen von Uhren. 522 State Str.\nIBL-\'" Feuer- und Lebensversicherung.\nAusschreiben von Besitztiteln und Hypv\niheken und Geldverleihen zu 5 Prozent\naus La Erosser Sicherheiten ist meine\nSpezialität. B. H. Bolz, 024 Sud\n7. Straße. Beide \'Phones. Anz.\nWer nur seine Schuldigkeit\nthut, thut nicht seine Schuldigkeit.\nEine Schule für Frauenrecht\nlerinnen will wun in Michigan errich\nten. Gu\'er Gedanke ! Es ist endlich\neinmal an \'e- Zeit. daß d,e Sussra\ngeuen lernen, was sie eigemlich\nwollen.\ntl- Würmer die Ursache der Lei\nden Ihrer Kinder.\nEine übelriechender unangenehriier\n\'Athem, dunkle Ringe um die Augen, i\nzu Z,eilen aufgeregt, mit großem Durst: >\ndie Backen seuerroih und dann wieder!\nbleich; de Leib geschwollen, mit schar!\nsen. kneifenden Schmerzen sind Ze>- j\nchen von Würmern. Lasien Sie Fhre!\nKinder nicht leiden Kickapoo Ltzorm\nKiller gibt sichere Linderung. Das\nselbe lobtet die Würmer, während das\nabführende Mittel den Körper regu\nlier und die unangenehmen Folgen der\nWürmer beiemg:. Kausen Sie noch\nheute eine Flashe. Preis 25c. Bei\nollen \'Apothekern oder per Post. Kicka\npoo Fndian Medicin Co , Philadelphia\noder St. Louis. —An;.\nWilson die Uebelstände auszählte, die\nseiner Anfichl nach abgestellt werden\nwüsten\nMil Ausnahme des progressiven\nRepräsenlanicn Murdock, der die Por\nschläqe Präsident Wilivn\'S zur Unter\ndrückung der Trust bir unzureichend!\nerklane, sprachen fick Repräsenianie,,!\nund Scna.oren -Iler Porleischai\'irnn\ngen günstig, ja enthusiastisch über die!\nBotschaft au.\nDie „Nordstern Wr\ngen haben die\nvon ta Lrosse nicht >ru- B\nmitschreiben sondern mir- /\nmachen helfen.\nNummer 1">.\nKmöcr der Slmkco,,\nDT\nDie sozialdeinokralische Parte: rvi\nKleider und Schube für de\nKupserdistrikl kaufen.\nChicago. Jll., 20. Jan. ,\nZiveitauseiid Schuliindec im Grude:\ndistrikt von Michigan und Eolorol\' .\nwerden Klcider und Schuhe aus de "F\nFonds, den die sozialistische Panel\nKinder von Streckern befteile geie\nhat, erhalten. W,e nn Haupiguar:-\'\nder Sozialisten in Chicago. Fl!., an\nkündigt wurde, weiden unverzüz\',\nTelkgranime nach Colorado und C>,\nmer abgeschickt werden. >n denen l\nAuskunft über die am\nöihigen Kleidungsstücke ersucht\nde soll Die Kleider werden in -\ncago gekaust.\nWie die Verivalierin de Fon*\nFrau W. B. Dranstcuei. erllärle. si*\netliche tausend Dollar m der Kos?- "\nauch von Kirchen und anderen Organ:\'"\nsanonen beigesteuert wurden.\nRuhe im Strcikgebiel. s\nHoughton. Mich., 20. Fan\nFm Slreikgebiel des K ptcrdlürckis\nvon Michigan war es am Moniag\nruhig, und nirgends kam es zu Aus\nschreitungen. Fn eilichen der Gruben\nkchrieu wenige Sireikcr an die Arbeit\nzurück, und von außerhalb trabn mei\nzig Leute ein, die in der Quinch-Grube\nai beite werde. Die Sirecker em-\nInett-n sich jeglicher feindseligen Teiiion\nsiialiou gegen die Ltteikbrecher.\nAus den Gtiichltu.\nIm Kreisgericht wurde Pauline\n>! ai>er von John Kaiser geschieden.\nHallte Kirschiier von Bangor hast\ngegen ihren Galten Wm. Nirschner\nwegen grausamer Behandlung eine\nScheidungsklage anhängig gemacht.\nIm Polizeigericht wurden Wm. Witt\nvom Pest Saloon an sudl. 3.\nsowie Frank Dirken wegen Schlägerei\nuw je 412 und Kosten destrast.\nDer Kläger war Theodor Krüger, der\nangab in der Wirthschaft von drei\nMännern nrißncin\'oelt worden zu sein.\nDer dritte seiner Angreifer. Chcrles\nN>e,.Haus, wurde wegen Bewersman\ngels enlwssen.\nNufallö-Cluoni\'.\nBeim Laufen nach einer Slraßencar\nsiel Hermann Niemcner, OK! Süd 23.\nStraße, an der 4 und Pearl Str. aus\ndem eisglatten Trottoir und erlitt dabei\nein Bruch des rechlen Beines. Riemever\nisl ein Feuerm >nn in Heileiuaniis Brau\neiei. und wird un St. Francis Sp\'lal\nverpslegi.\nIH>H\' Lchreibt über seine Toch\nter. „Wir habe eine Tochter". schreibst\nHerr August Engel von Hcrniigion.\nK ons.. ..die jetzt I! Fahre au ist und\nüber zwei Jahre lang mit Magenbe\nschwerde geplagt war. Sie war kaum\nimstande, irgend eiwas zu esse, und\nwurde so schwach und mager, daß sie\nnur noch Haut und Knochen war.\nWährend dieser ganzen Zeit dokterte sie.\nund die Aerzte sagien fort,ährende\n„Sie wird schon darüber hinweg kom\nmen" Aber es geschah nicht, wenig\nstens nicht durch ihre Behandlung.\nWir hallen alle Hoffnung ausgegeben,\nals wir anfingen, ihr Alpenkrauler zu\ngeben. Diese Medizin wirkte Wunder\nan ihr. Ihre Schmerzen verschwan\nden; ihre Backen wurden rund und\nrosig, und sie ist gesund und glücklich.\nEs will mir vorkommen, als ob Ihr\nAlpenkräuier die einzige wirkliche Medi\nzin ist."\nForni\'s Alpenkräuter ist keine Apo\nlheker-Medizin. sondern ein einfaches,\nalles Kräuier-Heilmiuel, welches dem\nPublikum direkt geliefert wird von Dr.\nPeter Fahrney ch Sons Eo., 19 2.\nSo Hohne Ave. Chicago,Jll.\nlijnmdeiqeiilhiims-Markt.\nfolgende lKrundeigenihums - lieber\nragungen wurden m de letzten Tagen\nvorgenvimnen\nJulius Uranler nn Barbara Hin, Eigen\nihum >,i Mctz!>n.ll und LOtiltleleyS eil\ndmon 4c-5\nWenzel Leibe! an Barbara Ciimmnigs. Cr\nft ulduni i McConnell und Whiittesen\'S\nslvvilion tz-i>o\nC. W Noble an Emma Wbulen E gealh um\nin Dealen a Ntid-r\'\', \'S "vvaion P i !i>\neü" Wundervolle Husten-Medizin\nTr. Kings New Discovern ist über\nall bekannl als ein Mine! welches\nsicher Husten oder Eika Hing kann. D.\nP Lawson von Edison. T -> iüreibi:\n..Dr. King\' New Tie ->-.e>v -st die\nivundervollste Medien rar Fuilea. Er\nkältungen, den Hals und die Lünzen,\ndie ich >e in meine, Gki\'L. - veciautl\nhrde" Tie ?>! wahr, weil 40. Knig\'s\nNew Discovern die qesährüch-oi Er\nkalttingen und Husten sowie Lungen\nkrankyetten ehr schnell kuriri Sie\nsvllien eine Flasche zu jeder Z:-l im\nHa -je haben inr alle Miiglieder der\n-sainilie. 50 . nd Be? allen 2lpo\nlbekcrn oder per Post. H. E. Bullen H\n(so. Philadelphia oder St. Lou-.s. An', 'publisher': 'C. Halbwachs', 'language': ['English', 'German'], 'alt_title': ['La Crosse nord stern', 'Nordstern'], 'lccn': 'sn86086186', 'country': 'Wisconsin', 'batch': 'whi_clabbert_ver01', 'title_normal': 'nord stern.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn86086186/1914-01-23/ed-1/seq-1.json', 'place': ['Wisconsin--La Crosse--La Crosse'], 'page': ''}]}
# Turn file into a python dictionary
data = response20.json()
print(data)
{'totalItems': 3941, 'endIndex': 20, 'startIndex': 1, 'itemsPerPage': 20, 'items': [{'sequence': 1, 'county': ['Manitowoc'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85033139/1914-01-01/ed-1/seq-1/', 'subject': ['Manitowoc (Wis.)--Newspapers.', 'Wisconsin--Manitowoc.--fast--(OCoLC)fst01225415'], 'city': ['Manitowoc'], 'date': '19140101', 'title': 'The Manitowoc pilot. [volume]', 'end_year': 1932, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Publisher varies.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Manitowoc, Wis.', 'start_year': 1859, 'edition_label': '', 'publisher': 'Jeremiah Crowley', 'language': ['English'], 'alt_title': [], 'lccn': 'sn85033139', 'country': 'Wisconsin', 'ocr_eng': 'olume IV.\ntCITY COUHCIL NOUS,\npecial meeting of the city council\neld last Saturday evening to take\ni winding up the electric light\npurchase matter and to consider\notor lire truck purchase matter,\nler, Gcorgenson and Schroeder\nabsent.\nesolutlon of Plumb md Frazier\nunaminously adopted. It ratified\njKdetail of the committee’s agree\n■t with the electric company, in\n|Hcted the attorney to apply for a re\naßring to enable the stale Railroad\nmjwmission to incorporate the agree-\nHnt in its order; authorized the coni-\non electric lights to manage\nH plant temporarily; authorized ihe\ncommittee to incur some nec\n!iry expenses in priiting and selling\nelectric light bonds and instructed\nfinance committee not to sell morel\nbe bonds than shall be necessary,\ni motion was then made author!/-\nthe committee on fire and water to\nto Milwaukee and Kenosha and\ne chief Kratz point out the defects\nadvantages of the different types\nnotor trucks. Thorison, chairman,\n1 his heart set on this trip. Being\ntious and conscientous above the\nrage he always has to be ‘“shown.”\n3 vote was, for the junket, 8 against\nThe noes were Kapil/, Lippert and\nierer.\n\'he mayor ruled tflat it was an “ex\njrdinary expenditure” requiring II\nayes to carry. There was u strained\npause. Then Thorison came to his\nfeet and proposed that the bridge com\nmittee be sent. (This was a short arm\njab to the solar plexus of his neighbor\nI who recently went on the au\nbridge junket.) Thorison add\nhls committee had numerous\ntaake trips of inspection at\nsnse of the truck manufactur\nwould not consider that and\nthe council wanted to spend\n•a truck blindly they could not\nsnted.\nmtor lire truck proposition for\nason not discernible has been\ni sinister iniluence for a year\npast. It seems to be creating suspic\nion and ill-will where there have been\nnone for years. Some members are\nfighting it bitterly.\nThe necessity for a three-fourths\nvote has prevented the purchase sever\nal times. The proponents caught them\nasleep and slipped the JfiOOO appropria\ntion Into the lodgeu some weeks ago\nspecifying it to be for “tire purposes.”\nThe antis now assert that this is not\nsufficiently definite to take the purchase\nout of the “extraordinary appropria\ntion” class. There may be a big light\nover it soon.\nVALUABLE FARM AS\nGIFT STIRSCATO.\nThe death of John Meehan of Cato,\n-reported last week, has developed a\nfcurious situation. Mr. Meehan who\na bachelor, aged 50 has been an\nHvalid for some time. Early in Nov-\nhe gave to the tenant of his\nWilliam Launbrecht, a deed to\nHe farm and title to the farm person-\nHty in consideration of an agreement\nV support the grantor for life and pay\ngrantor’s nearest living rela.\nMiss Reddin, of Cato, a niece,\n■BOO upon the grantor\'s death. The\nfarm is just outside the village of Cato.\nMeehan survived this transaction less\nthan six weeks. Thus his properly,\nConservatively valued at SIB,OOO, will\n■ to one not related to him upon the\n■yroent of SIOOO. Meehan had no\nof nearer kin than nieces and\nAlthough ho had not been\nwith these relatives there\nbeen no ill-will or family feud be\n™een them. The farm is further\npledged upon the bond of Win. Keddin,\n.one of the defendants convicted in the\ntreat labor union and; naraile case in the\nfederal court at Indianapolis. There\n\'are some rumors at Cato of an inten\ntion to contest Launbrecht\'s possession\nin court but nothing authoritative has\nbeen made public.\nNOTICE TO TAXPAYERS.\nI Notice is hereby given that the tax\nlist\'d taxes for the year 11)13 levied\nfor the following purposes, \' >wit; Gen\neral city purposes, state and county\npurposes, schools, sewers, inomelaxes\nspecial assessments for\' sidewalks,\nstreet improvements and water mains\nand delinquent charges for water\nmains, etc., has been committed to me\nfor collection, and that 1 will receive\nkpayment for taxes at my oilice in the\nHty hall at 931 South Eighth street,\nni the city of Manitowoc, Wis., for the\nlerm of thirty days next following the\n■ate of this notice.\nI Dated Decern bet 15, 1913.\nI HENRY FRANKE,\nI City Treasurer. Manitowoc, Wis.\nBUY LAND ON EASY TERMS.\nCut-over hard wood lands In Wiscon\nsin, from $9.00 per acre up. #I.OO per\nhere cash, balance in monthly install\nments of $5 00 on each forty bought.\nNo better p/o(>oßition known. Go to it\nAdv. A. P. Schenian, Agent.\nSubscribe for the Pilot.\n®j)c pilol.\nMARRIED\nMiss Serena Westphal and Mr. Her\nman C. Berndt were married at the\nhome of the bride’s parents on Christ\nmas day at 5 o’clock in the evening by\nthe Rev. of the German\nLutheran church. The affair was\nquiet, and was witnessed only by the\nimmediate relatives of the contract\ning couple.\nThe bride is a bright and accomplish\ned young lady and has a large circle of\nfriends in this city. She is a daughter\nof Mr. and Mrs. H. C. Westphal,\nSouth 13lh street. She is a graduate\nof the old West Side high school and\nwas employed at one time as a deputy\nin the office of the county clerk.\nMr. Berndt is a well known young\nman, energetic and intelligent, who\nfor twelve years was foreman of the\nPilot, but severed his connection with\nthe establishment four months ago to\naccept a more lucrative position with\nthe Fond du Lac Reporter. Mr. and\nMrs. Berndt have taken up their resi\ndence at Pond du Lac.\nThe Pilot joins the many friends of\nboth bride and groom in tf idering con\ngratulations and expressing the wish\nthat their future may be crowned with\nbliss.\nAt the home of Win. Ralbsack, Sr.,\nChristmas, Miss Ruth Bern and Mr.\nMelvin Sandersin were united in wed\nlock, the Rev. Haase officiating. Miss\nAdeline Hinz and Arthur Bern, were\nthe attendants. The bride is a popular\nyoung lady who has been employed as\na clerk in the Esch store. The groom\nis employed as a machinst at the Gun\nnell Machine Company.\nThe young couple will make their\nhome in this city.\nGOLDEN WEDDING.\nMr. and Mrs. Christian J. Knutze\non Tuesday celebrated the fiftieth ar\nniversary of their marriage at theii\nhome, North 15th street.\nThe marriage of Christian Kuatzen\nand Miss Gunhild Halverson was on\nDecember ;W, 18113, at Vraadl, Norway,\nthe Rev. K. O. Knutzen, father of the\ngroom, performing the ceremony.\nMr. Knutzen is a native of Christi\nana, Norway, having been born there\nApril 1, 1837, being 70 years of age,\nwhile Mrs. Knutzen, born at Hvidese\nNorway. May 22. 1843, is 70. Despite\ntheir advanced ages, Mr. and Mrs.\nKnutzen are enjoying good health.\nThey came to America the year after\ntheir marriage, landing at Quebec, and\nlater on removing to Chicago. They\nlived in Illinois for a few years and\ncame to Manitowoc in 18(37, where they\nhave since resided.\nMr. Knutzen has been a painter con\ntractor for the past 45 years.\nThere are five children and fifteen\ngrancdhildren living. The children\nare: H. J. Knutzen, Antigo, N. E.\nKnutzen, Green Bay; Mrs. P. A. Holm,\nTigerton, and Dora and Marie of this\ncity.\nThere was a family re-union at the\nhome Tuesday afternoon and evening.\nThe following were here from outside\nfor the golden wedding:\nMrs. Bertha Knutzen, Edwin,George\nNorman, Menasha; Mr,and Mrs. H. J.\nKnutzen, Antigo; Mr. and Mrs. N. K.\nKnutzen, Green Bay; Mr. and Mrs. P.\nA. Holm, Tigerton.\nREAL ESTATE REPORT\nThe following Real Estate Reports is\nfurnished by the Manitowoc County\nAstract Company, which owns the\nonly complete Abstract of Manitowoc\ncounty.\nGeorge Bauman to Joseph W. Vran\ney, 108£ sq. rods in NW corner sec 30\nKossuth, SOSOO.\nAnnie Derringer et al to Henry\nBaruih, lot 0 blk 312 Manitowoc, $2200.\nJohn A. Johnson to Arthur E. ILw,\nlot 11 blk 50 Manitowoc, sl.\nJohn I’eter Steffes to Peter Endries,\nlots 1 and 2 blk “D” Manitowoc, *l.\nJohn Peter StelTes to Peter Endries,\n2J a in sec 23 and 20 Manitowoc Rap\nids, sl.\nPeter Endries to John Peter StefTes\net al, lots 1 and 2 blk “D” Manitowoc\nsl.\nPeter Kndrles to John Peter SteiTes\n24 a in sec 23 2(1 Manitowoc Rapids, sl.\nWilliam Pohl to Norhert Reichert,\n80 a in sec 10 Schleswig, SIO,OOO.\nC. H. Tegen to Mary Healy Jr., lot\n4 blk 291 Manitowoc, fl.\nMatt Kocian to Lawrence Kocian, 120\na in sec 30 and 31 Cooperstown, sl.\nJohn G. Meehan to William J. Laun\nbrecht, 104.24 a in section 4 Cato and\n36 a in section 33 Franklin, $16,000.\nCharles M. Ohlsen to Jennie M. Ohl\nsen, lot 3 blk 7 Manitowoc, sl.\nFruit In Glass.\nA housewife who was puzzled to\nknow how she could put fruit In the\nrefrigerator and not have it scent the\nbutter and milk by the side of It,\ncaught the Idea of emptying out the\nbasket into glass Jars and putting on\nthe tops.\nMental Training.\nAn educated man la a man who can\ndo what he ought to do when he ought\nto do It whether he wants to do It or\nnot.—Nicholas Murray Butler.\nDIEO\nFrank Moser dropped dead Monday\nmorning on the grounds of the Seventh\nward public school where he was em\nployed by contrrctor Steve Knechtel\nin some grading work in progress.\nMr. Moser had but arrived to begin\nthe mornings work and was chatting\nwith a fellow employe when he fell\nlifeless without givingany premonitoiy\nsymptoms of distress. He had not been\nin ill health. His son Frank died but\nthree weeks ago leaving a void in the\nmusical circle of the city, he having\nbeen for years director of the city’s\nwidely known Marine Band. Frank,\nSr., was born in Hungary in 1854 and\ncame to this country in the early 00’s\nand had lived in Maple Grove until 3\nyears ago. He was a man of good char\nacter and esteemed by all his neigh\nbors. The Catholic Knights of Wis\nconsin, of which he was a member, at\ntended his funeral which was held yes\nterday from St. Bonifact, church to\nCalvary. He is survived only by his\nwidow.\nCONNELLY SURPRISED WITH GIFT\nMichael T. Connelly, who is a char\nter member of the local council of the\nK. of C. organized over 11 years ago,\nand who leaves for Madison today\nto assume anew position with the\nRailroad Commission was entertained\nby his lodge brothers at their hall\nTuesday evening. Mike was lured to\nthe hall by Rev. J. T. O\'Leary and un\nsuspectingly walked into the party.\nMike’s manifold virtues were extolled\nby M. J. O’Donnell, Rev. O’Leary,\nJohn Egan, P. A. Miller, L. W. Led\nvina, James Taugher, George Kenne\ndy, Dr. A. J, Vits, Puch Egan, Dr.\nMeany and John Carey. Ed. L. Kelley\ngina! verses about the\nire and Harry Kelley\nmarks in presenting a\nuiair on behalf of the\nking that a rocking chair\nwas an inspiredly appropriate gift to\none entering the state service. The\ntenor of most of the tributes was re\ngret at losing the bubbling good spirits\nofOonneliy. “Dynami er of gloom\nPuch Egan called him.\nTRUE SECRET OF POPULARITY\nQlrl Must. Have torpe Beauty. Grace\nand Intelligence, and Especially\nRadiance.\nWhat can a young girl, who Is net\nther a great beauty nor a great heir\ness, nor one to whom the gods stood\nsponsor at birth, do to make herself\npopular?\nLet us sit down and take our chins\nIn our hands and think about It\nA girl must have, at least In some\nsmall degree, four qualities. There\nare children of fortune who have them\nall, and in abundance, but as from a\nsmall palette of primary colors a great\npicture may be painted, just so out\nof a few elementary attributes quite\nwonderful results are possible. The\nfour qualities of personality are:\nBeauty, grace, intelligence, radk\nance.\nBeauty may be that of face or fig\nure, oAAt may be merely an effort of\nbeauty through style, charm, or even\none of the other three qualities fol\nlowing:\nGrace includes not alone symmetrj\nof movement, but all accomplish\nments In activity, such a a dancing,\nskating, swimming, riding, and also\nany especial gifts, such as a talent for\nmusic or acting. In other words, the\ngirl who has the "gift of grace” in the\ngirl who does things well.\nBy intelligence is meant the sympa\nthetic, adaptable quality of mind, rath\ner than that of the brilliant order. Hut\nthe one great attribute that crowns\nthem all —granting, of course, some\ngift of the other three—but without\nwhich beauty, grace, cleverness are\nall as applet of Sodom—is the sense\nof enjoyment, the gift of happiness.\n1 dot t think 1 can better define it\nthan by tbe word radiance. And best\nof all, radiance is a quality that can\nb( cultivated.\nBeards in Olden Times.\nThe Greeks wore their beards until\nthe time of Alexander, but that great\ngeneral, probably remembering an en\ncounter with bis wife, orderd the Mace\ndonians to be shaved, lest their beards\nshould g_lve a handle to their enemies.\nHeards were worn by the Romans In\n390 I), C. Th* Emperor Julian wrote\na diatribe entitled "Misopogon” against\nthe wearing of the chin appendage in\n362 B. C.\nGet Fine Ride.\nAll offenders whom It becomes de\nsirable to detain for a greater or less\nperiod In the new Hordeau Jail, near\nMontreal, are taken to their tempo\nrary dwelling place In a tour\'ng car.\nwhich traverses a beautiful route,\nalongside a river, and with se-ene and\nuplifting scenery In the distance and\nat hand.\nWoman\'s Reason.\nWomen have more of what Is termed\ngood sense than men. They cannot\nreason wrong, for tuey do not reason\nat all. They have fewer pretensions,\nare less Implicated In theories, and\njudge of objects more from their im\nmediate and involuntary Impression\non the mind, and therefore more truly\nand naturally.— Hail\'tt.\nMANITOWOC, WIS., THURSDAY, JANUARY I. 1314.\nITEMS FROM THE PILOT FILES.\nFIFTY YEARS AGO.\nThe Fortunes of War.—-A soldier\nof the 17th regulars, a native of Phila\ndelphia, at the battle of Chickamauga\nwas struck with a piece of shell in the\nright eye, then passing under the\nbridge of the nose destroying the sight\nof the left eye, and he is now perfectly\nblind, though in the prime of life. In\nthe same action in which he lost bis\neyesight, he had a father and three\nbrothers killed leaving out of a whole\nfamily only himself and his aged moth\ner.\nAfter Them. —General Grant has\ncaptured, within the past seven months,\nfour hundred and twelve cannons,\nnamely: fifty-two on his advance to\nVicksburg, three hundred at that place\nand sixty last week before Chattanoo\nga. Two thousand United Stales can\nnons were stolen from Norfolk at the\nbeginning of the rebellion, but if Grant\nkeeps on at this : ate he will soon get\nthem all back again. Grant mu it be a\ngenuine “son of a gun.”\nLost Cows Hugh Ray of Kewau\nnee, can find his lost cows at Mr. John\nSechrest\'s in the north-west part of\nthe town of Two Rivers.\nMeade Retreats—More Men!—\nMeade sought Lee. He found him\nWhen he found him he didn’t like his\nlooks. So lie ran away. Avery brief\nvis-a-vis with the rebel commander\nscared the wits from our commander’s\ntiead and gave vigor to his heels.\nMeade thinks Lee too strong for him.\nWe think Meade was right. He be\nlieved himself forced to run first, or be\nwhipped and then run. Doubtless the\nconclusion was well grounded.\nNow here we are again—flat on our\nbacks; without force enough to con\nquer another square rod of southern\nterritory. To carry out the plan of\nthe government at least a million more\ntpen will be required for the field.\nUnder the present draft, we do not gel\nenough to till the places of those who\ndie in hospital. If the president is in\nearnest, lie will sweep tlie whole first\nclass of enrolled national forces into\nthe army at once. At the present rate\nof progress, war is fast getting to be\nchronic.\nPious That, notoriously pious sheet.\nthe N. Y, Independent compv\'\'e,s Presi\ndent Lincoln to a cur with a collar\nSpeaking of him, it says: “Does lie\nnot wear Kentucky like a collar to this\ndayV A dog with a collar lights slow!”\nThis respectful (V) language is from\nthe pen of the Hev. Tilton, editor, who\nwas drafted, but, who, though able\nb.idied, concluded not to fight at all.\nTWENTY-FIVE YEARS AGO.\nCharley Peers, Charley Sasse and\nCharley Leveron* constitute a trinity\nof preambulalors on Sundays. A couple\nof weeks ago the three started out in the\ncountry for a longer walk than usual.\nThey took the railroad track until they\nhad gone as far as they wished and\nthen made for a country mail on which\nthey proposed home. ’ After\ntramping an hour they thought they\nshould be in sight of the city but could\ndiscover no trace of Manitowoc. They\nipuckened their pace for an other half\nhour and still could discover no trace\nof the lost city. Peers thought some\none had run away with the pjace; Sas\nse thought there was some witchcraft\nabout the thing and Levereni’. proposed\nthey camp out and wait for a relief ex\npedition. A farmer passed by and the\nthree hailed him with. "Say, where’s\nManitowoc’?” The farmer thought\nthey were guying him and wanted to\nlight the crowd. Hasse thought it\nwould be a good plan to mount\nand holler as they used to do In olden\ntime w hen lost in the woods in hope\nthat someone in the city would hear\nand give an answering shout. Their\nqueer maneuvers made the farmers\nsuspicious and when one of the crowd\nwould approach a house to inquire\nabout Manitowoc, lie would he chased\nout of the yard with dogs. Peers went\ninto the woods having heard at one\ntime that persons lost could find ttieir\nway homo by noticing on which side of\nthe tree the moss grew. Put it was as\nhard to find moss as it was to lind the\ncity. In the meantime the farmers\nwere collecting with pitchforks, hoes\nand axes to drive away the three dan\ngerous looking characters who pre\ntended they did not know the way to\nManitowoc. The trio set olf on a run\nand took anew road. They reached\nthe Pranch village by nightfall but\ndidn’t know the place. One of them\ninsisted it was Amigo and that there\nwere a few people there who know\nhim. Another thought it was Hurley\nas they walked far enough to reach\nthat place. The third thought it was\nDepere and pointed to the river as\nproof. They came near having a row\nover the matter but in the nick of\nlime a man approached whom they\nknew. Py round about questions they\nlesrned where they were and hired a\nman to lake them home.\nNow when they go outside the city\nlimits for a walk one of ’em walks\nbackwards so as to keep the city from\ngetting awry from them. People who\nmeet them wonder why one fellow pre\nfers to walk backward, but the oilier\ni wo explain that he wras born that way.\nThey take turns in this task and never\nget beyond sight of the city.\nEDUCATIONAL.\n(ByC. W. Mkisnest.)\nJAN UARY TEACHERS’ M EETINGS\nUsman, Jan. 17, 1914.\n9:30 A. M.\nOpening\nClass Exercise in Middle Form Oleog\nraphy . . Nell to Barnes\nRural Economics . Edwin Mueller\nTeaching How (o Study (Chapter V)\nI’. J. Zimmers\n1;80 P. M.\nHow to Teach Long Division, Factoring\nand Decimals - James Murphy\nEllanora tiraf\nMoral and Humane Teaching\nMarie Gass\nAccident Prevention - Mary (irady\nHow to Study (Chapter XI)\nP. J, Zimmers\nUecdsvllle, Jan. 10, 19H.\n10:00 A. M,\nSinging - - Heedsville Pupils\nConducted by Gladys VVilllnger\n(a) Accident Prevention\nMildred Dedricks\n(b) Moral and Humane Teaching\nEtta Hayden\nTeaching How to Study (Chapter V)\nP. J. Zimmers\n1:30 P. M.\nClass Exercise in Agriculture\nElizabeth Walrath\nRural Economics - F. O. Christiansen\nHow I Teach Factoring, Decimals, and\nLong Division - Florence O’Connors\nP. W. Falvey.\nTeaching How to Study (Chapter XI)\nP. J. Zimmers\nBring your copy of McMurry lo all\nmeetings.\nThe state of Maryland is holding sev\neral educational rallies lo stir up in\nterest in education in order to secure\nlegislative action for the improvement\nof the schools of the State and espe\nciady those located in rural dlstr\'cts.\nRallies are being held in many coun\nties of the Stale. It is the purpose\nof the State Hoard to hold such rallies\nin every county before the next meet\ning of the legislature. The State\nBoard of Education is especially anxi\nous to create sentiment which will re\nsult in favorable action Ity the Slate\nlegislature on the following mo.-suies;\n1. An increased State appropriation\nfor common schools.\n2. A Slate supervisor of rural\nschools ns an assistant to the State Su\nperindent of Public Instruction.\n3. A State-wide compulsory educa\ncation law.\n4. A minimum term of at least sev\nen months for all colored schools.\n. r ). Teacher-training courses in ap\nproved high schools under the auspices\nof the State Board of Education.\n(>. A Slate supported summer school\nfor rural teachers.\nIt seems strange that so old a state\nas Maryland should lie so far behind\nWisconsin in these matters; and yet\nthe Slate Boaard of Public Affairs bns\nplaced Maryland ahead of Wisconsin in\nschool efficiency.\nFOLK HIGH SCHOOLS\nIN DENMARK.\nContinuing the education received\nin the elemenlry schools for young\nmen and women from 1H to 25 years of\nage and making such provisions as to\nterms that the farm work will boas\nlittle interfered with as possible is the\naim of the Folk High Schools of Den\nmark.\nTwo courses are offered each year,\n—a four months’ course in the winter\nfor young men and a three months’\ncourse in the summer for young wom\nen. Most of these young people have\ncompleted the work of the elementary\nschools. The schools are located in\nthecountry and are intended primarl\'y\nfor country youth. The sciences con\nnected with agriculture are taught,\nbut the greatest emphasis is laid on\nhistory, biography, and literature.\nThe schools then are not vocational\nschools except in a very broad sense.\nThe great object is to awaken the\nintellectual life of the students, lo\nmake them ambitious to live efficient\nly and nobly, and to teach them how\nthis may be accomplished.\nIt is said that 10 per cent of the pop\nulation of Denmark goes through these\nschools. Their popularity is attested\nby the fact that they are supported by\ncooperative effort of the people them\nselves; only very small annual grants\nare received from the government.\n’[’he Folk High Schools are a mighty\nagency :n the life not only of the rural\ncommunities hut of the nation at large.\nFive members of the Denmark cabinet\narc from the Folk High Schools, four\nof these are farmers. Many members\nof the lower house of parliament are\nalso from these schools. Eighty per\ncent of the officials and managers in\nthe cooperative agricultural societies\nand enterprises have attended Folk\nHigh Schools.\nThe results achieved hy these schools\nare a good example of the remarkable\nresults which can lie achieved when\nthe people are given the kind of educa\ntion which they really need.\nDISEASES OF SCftOOLCHILDREN.\nTuhercu\'osis of the lungs is the lead\ning cause of deaths among American\nchildren during the period of school\nlife, Next in order ere incidents,\nO.TORRISON COMPANY\nTATE Extend to All Our\n* * Best Wishes for a\nProsperous and Happy New\nYear and Wish to Thank\nYou for the share of patron\nage with which you have\nfavored us ...\nWe are now in the midst of our\nannual inventory taking and\nbeginning with January 2nd you\nwill find throughout the entire\nstore unusual bargains priced so\nlow that if money-saving is the\nobject you should look through\nthe different departments . .\nO. TORRISON CO.\nFirst Mortgages and Bonds\nWe have on hand and offer for sale choice first mortgages\nand bonds. These mortgages and bonds make the safest\nand best kind examined by ns and we guarantee them\nstraight.\nJulius Lindstedt & Cos.\nManitowoc. WisconsinJ\ndipheria and croup, lyhold fever, and\norganic diseases of the heart. Out of\na total of 51,1103 deaths from all causes\nat ages 5 to 111,24,510, or 47.5 per cent\nare caused by these live diseases. Tu\nberculosis causes 14,3 per cent and ac\ncidents 13.8 percent of the mortality\namong children of small age. These\nligures are given In an article in the\nDecember number of the School Re\nview,\nThe light against the great white\nplague should receive renewed im\npetus from the fact that this disease Is\nthe captain of the enemies of health\nand life among the school children of\nour land.\nThe number of public and private\nhigh schools in the United Stales of\nfering courses in agriculture is now\n1,880. In 11)10 the corresponding num\nber was 432, which is about one-fourth\nof the present number.\nStale Superinlendant C. I*. Cary has\ndesignated January 28-30 as the days\nfor the bolding of the annual conven\ntion of county superimendanls. The\nconvention will bo hold in Madison.\nThe time and place of meeting will en\nabb’ the county superintendents to lake\nadvantage of the meeting of the coun\ntry life conference and the two weeks\nFarmers\' Course.\nMarriage Licenses\nThe following marriage licenses have\nbeen Issued by the county clerk the\npast week:\nDavid Terry of Kaukaunn and Nora\nWestpbabl of Two Rivers; Jos. Kolo\nwsky of Milwaukee and Blanche Sol>-\nluosky of Manitowoc; Adolph Ilrat/.\nand Kmrna Hubolz, both of Rockland;\nJohn liubolz and Laura Rusch, both of\nRockland; Simon Slsdkey of this city\nand Hernia lieranova of i’raguo, Bo\nhemia; Kdward Shimon and Barbara\nBurish, both of Reedsville; Frank\nBurlsh of Spruce, Wls. and F.mnia Os\nwald of Franklin, Deter Horn and\nKlizabeth Hartman, both of Manitowoc\nHenry Kieselhorst of Newton and Lin\nda Rusch of Liberty; Henry Siege of\nAnti go and Linda Klusmoyor of Ra\npids; Kdward Kafka and Rose Napic\nclnszkl, both of Two Rivers.\nNUMBER 27\nJoke of Year* Ago.\nA clergyman wan preaching a ser\nmon upon "Death,” in the course ol\nwhich he asked the question: "Is it\nnot a solemn thought?” ills four-year\nold boy, who had been listening in\nrapt attention to his father, Immedi\nately answered in a shrill, piping\nvoice, so as to bo heard throughout\nthe house; "Yes, sir, it is."—Vintage\nof 1803.\nPeculiar Bequests.\nThere is one actual case on record\nof a bequest of artificial teeth. Hut\nas it was so long ago the legal chron\niclers think the decedent had In mind\nthe sale of the teeth to the dentists\nof the time so that cash might be real\nUed. -Many cases are narrated ol\nwomen bequeathing their hair to\ntheir heirs to bo converted Into money.\nRecognized English Holidays.\nThere are now twenty six days In\nthe year recognized us legitimate oc\ncasions for holiday* In most cities of\nUngland. These are In addition to\nthe weekly half-holidays observed on\nWednesdays or Saturdays. An effort\nIs being made to lessen the number\nof holidays and to bring those re\ntained Into more systematic order.\nIndustry Always a Refuge.\n“Some temptations come to the in\ndustrious,” said Spurgeon once, "but\nall temptations come to the Idle " The\nold and good renuly against a be\nsetting sin Is to leave neither time\nnor room for It anywhere in life, and\nso crowd it out steadily and surely\nfrom its old place and power.”\nTo Whiten Ivory,\nTo whiten Ivory rub it well with un\nsalted butter and places it in the sun\nshine. if It Is discolored it may be\nwhitened by rubbing it with a paste\ncomposed of burned pumice stone and\nwater and putting in in the sun under\nglass.\nTo Clean Brass.\nTo clean embossed brass make a\ngood lather with soap and a quart ol\nvery hot water. Add two teaspoon\ntuls of the strongest liquid ummonla.\nWash tho article In this, using a soft\nbrush for the chased work. Wipe dry\nwith a soft cloth.', 'batch': 'whi_harriet_ver01', 'title_normal': 'manitowoc pilot.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85033139/1914-01-01/ed-1/seq-1.json', 'place': ['Wisconsin--Manitowoc--Manitowoc'], 'page': ''}, {'sequence': 1, 'county': ['Kenosha'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85040310/1914-01-01/ed-1/seq-1/', 'subject': ['Kenosha (Wis.)--Newspapers.', 'Wisconsin--Kenosha.--fast--(OCoLC)fst01203049'], 'city': ['Kenosha'], 'date': '19140101', 'title': 'The Telegraph-courier. [volume]', 'end_year': 1946, 'note': ['Available on microfilm from The State Historical Society of Wisconsin.', 'Editor: M. Frank, L.A. Cass, 1888-Aug. 7, 1890.--L.A. Cass, Aug. 14, 1890-Aug. 13, 1891.--F.H. Hall, Aug. 20, 1891-Oct. 1, 1896.--G.P. Hewitt, Nov. 4, 1897-Aug. 29, 1901.--S.S. Simmons, Sept. 5, 1901-<1915>.--W.T. Marlatt, <1915>-Apr. 16, 1925.', 'Publisher varies.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Kenosha, Wis.', 'start_year': 1888, 'edition_label': '', 'publisher': '[L.A. Cass]', 'language': ['English'], 'alt_title': [], 'lccn': 'sn85040310', 'country': 'Wisconsin', 'ocr_eng': 'Established\nIn\n1839\nVOLUME LXXV.\nROSTER OF BRAVE\nLists Are Compiled of Men\nWho Gave Service to Na\ntion During Civil War.\nPLAN A LASTING MEMORIAL\nF. H. Lyman Submits Lists For Var\nious Towns in the County and Asks\nPeople to Aid him in Securing Names\nof Any Who May Have Been Omitted\nFollowing is the roll of civil war\nveterans credited to the township of\nWheatland. Many are responding to\nthe invitation to note errors and omis\nsions and. are informing the secretary\non these and other points. Be sure that\nyou do your duty in this particular.\nAddress F. IT. Lyman, 432 Park avenue.\nWheatland.\nJames Curran Ist\nFrederick A. Bunth ..4th Cav. F.\nJoseph Dreckman ....9th Bat. Lt. Art.\nJames Lewis Ist. Hvy. Art. D.\nFrank W. Seavey...-Ist. Hvy. Art. D.\nAlbert.M. Dyer Ist. Inf. 0.\nWm. C. Me Fee Ist. Inf. C.\nJapheth M. Hunt Ist. Inf. C.\nJames Lewis Ist. Inf. C.\nHenry Palmer Ist. Inf. 0,\nGeorge I‘aimer ton Ist. Inf. C.\n•Litgene Scherer Ist. Inf. 0.\nL\'rnst 0. Timme Ist. Inf C.\n1 erdinand Vonderbeck Ist. Inf. C.\nGeorge Weanner Ist. Inf. C.\nDaniel Whalan Ist. Inf. C.\nCharles E. Ashley Ist. Inf. C.\nOscar Eddy Ist. Inf. C.\nJoseph Lai ringer Ist. Inf. O.\nHenry Hollencamp sth. Inf. B.\nLudwig Urban ath, Inf. A.\nAlbert E. Fosdick Oth Inf. I.\nHenry A. Fosdick Oth. Inf 1.\nJacob Zabn 9th. Inf. H.\nJames Burns 12th Inf.\nMu:i ».y 12th Inf.\nWilliam T. Brent 14t,h Inf. C.\nWilliam Gilbert 18th Inf. G.\nCharles Wood 18th ln£. G.\nWilliam Fosdick 19th Inf. G.\nJames Fosdick 19th Inf. G.\nCharles Pagel 20th Inf. D.\nWilliam Heifer 20th Inf. K.\nAlfred Bartholomew 25th Inf. A.\nPeter D. Bartholomew. 25th Inf. A.\nWilliam F. O. Coard 25th Inf. A.\nBobt. L. Ferguson 25th Inf. A.\nJohn A. Ferguson 25th Inf. A.\nPhilip Gciser 25th Inf. A.\nEdwin K. Coring 25th Inf. A.\nJames Mason 25th Inf. A.\nEzra A. Roberts 25th. Inf. A.\nBenjamin F. Roberts 25th. Inf. A.\nJames H. Rogers 25th Inf. A.\nFrederick S. Rowe 25th. Inf. A.\nMerrit Rowe ....25th Inf. A.\nCharles 11. Tilden 25th Inf. A.\nCharles L. Fay 33d. inf. I.\nSquire C. Bolden 33d. J n f. J,\nJoseph Carpenter 33d. Inf. I.\nFrancis G. (.\'lark 33d. Inf. I.\nJohn Gunner 33d. Inf. I.\nNewton R. Fay 33d. Inf. I.\nOrin Palmeston 33d. Inf. I.\nTimothy Pierce 33d. Inf. I.\nDavid Pierce 33d. Inf. I.\nValentine Plate 33d. Inf. I.\nJohn Richter .. 33d. Inf. I.\nTheodore Vanderbeck 33d. Inf. I.\nJames A. Woodhead 33d. Inf I.\nCorwin 1). Scott 37th. Inf. A.\nWalter Scott ...37th Inf. A.\nHenry P. Kenda11........42nd. Inf. B.\nOrrin I). Wilson 42nd. Inf. B.\nJohn Bard 43d. Inf. C.\nJames Voisev 43d. I n f. F.\nSilas E. Phillips 50th Inf. A.\nErastus H. Ames 50th Inf. B.\nJoseph F. Huntington 50th Inf. B.\nEleazer G. Miller 50tn Inf. B.\nHenry K. Miller 50th Inf. B.\nSilas E. Phillips 50th Inf. B.\nCharles Schied 50th Inf. B.\nGeorge S. Sperry 50th Inf. B.\nAlbert A. Sumner 50th Inf. B.\nMilo M. Whitney 50th Inf. K.\nPARIS TAX PAYERS NOTICE.\nThe undersigned will receive taxes\nfor the town of Paris for the year 1913\nat:\nW. E. Heidersdorf’s Store.\nMonday, January 20, 1914.\nWm. Crane’s, Paris Corners.\nWednesday, January 21, 1014.\nFirst National Bank, Kenosha.\nThursday, January 29, 1914.\nAll Tuesdays and Saturdays at my\nhome in the town of Paris.\nJehu Non,\nTown Treasurer.\ndw36adv R. F. D Union Grove, Wis.\nJohn T. Yule and family gave a party\nto a number of their friends at the\nhome on Park avenue Tuesday evening.\nDinner was served at 7 o’clock after\nwiijch the balance of the evening was\nspent in playing cards aud other forms\n>f amusement.\n.Want Ad brings results.\ngte %cksraiil\\=(j[ouricr.\nMATZI UNDER ARREST.\nHusband of Alleged Woman Shoplifter,\nis Charged With Petty Larceny.\nThe troubles of Jose Matzi, husband\nof Mrs. Rose Matzi arrested some time\nago on charges of shoplifting, occupied\nthe attention of Judge Randall in the\nmunicipal court today. Early in th\'c\nday Matzi was arrested on a charge of\npetty larceny made by William Schnei\nder, a contractor, and after he had se\ncured an adjournment of this hearing\nuntil next Tuesday, Matzi himself be\ncame a plaintiff and isecured a civil\nwarrant for the arrest of William F.\nHoward and Essie O. Reading, two well\nknown contrac ors. He charged them\nwith tresspass alleging that the cor trac\ntors had entered a house on the west\nside after Matzi had taken possession\nof it under a contract to secure a land\ncontract. The land contract had not\nbeen drawn, but M.atzi alleged that he\nwas in possession of the premises.\nHoward and Reading declared that they\nhad entered the place as contractors to\nfinish up work which had been con\ntracted for before Matzi took posses\nsion They declared that they had the\n-perrtrtfsioh of Matzi and his wife to\nenter the premises. The hearing of the\ntrespass e xse is still on at the municipal\ncourt thi: afternoon but the evidence\nindieated(that the contractors had the\nbetter of the argument.\nNEW FIGURES MONDAY.\nWisconsin Gas and Electric Co. to Sub\nmit Figures for New Light Contract\nAt the first meeting of the common\ncouncil for the new year to be held on\nnext Monday evening the Wisconsin\nGas and Electric company will submit\nto the council figures for a new lighting\ncontract. R. B. Way, vice president\nand manager of the electrical depart\nment of the company has been busy\nworking out the proposition for several\nweeks and he will come to Kenosha on\nMonday ready to submit his figures.\nNo indication as to the amount to be\nasked for the lights has been allowed\nto creep out of the offices of the com\npany and the proposition will be a\ncomplete surprise to the members of\nthe council. The company has made a\nformal petition to the mayor asking\nthat the hours for lighting in Kenosha\nbe changed. The suggestion is that the\nlights be started eight minutes earlier\nin the eveniug and turned off eight min\nutes earlier in the morning. This will\nmake the schedule in Kenosha conform,\nwith tne\'s* 1 nodule now in use in other\ncities in the state. It is probable that\nthe council will give its sanction to the\nchange in the schedule.\nMARRIED AT FOND DU LAC.\nMiss Grace Morris Becomes Bride of\nTheodore Hettrick Today.\nA wedding of great interest to many\nKenosha people was celebrated at St.\nJoseph church at Fond du Lac this\nmorning w\'hen Miss Grace Morris,\ndaughter of Mr. and Mrs. C. Morris of\nthat city, became the bride of Theodore\nHot 1 "ick, well known employee of the\nSimmons Manufacturing Company. The\nceremony was performed by the Rev.\nFather Kennan in the presence of a\nsmall company of friends and relatives\nof the contracting parties, d number of\npeople going from Kenosha to be pres\nent at the ceremony. After the church\nceremoney the bride and groom were\nthe guests of honor at a wedding break\nfast given at the Morris home. Mr.\nand Mrs. Hettrick will leave late this\nafternoon for Atlantic City where they\nwill spend the\'r honeymoon. They will\nmake their home in Kenosha and will\nbe at home to their friends at 750 N.\nChicago street after February Ist.\nMrs. Hettrick was a member of the\nclass of 1913 of the Kenosha Hospital\nTraining School and she is well known\nin Kenosha. The many friends of the\nbride and groom will be pleased to ex\ntend congratulations.\nWAIVES EXAMINATION.\nItalian Charged With Burglary Declares\nHe is Victim of a Conspiracy.\nDominica DeSantise, arrested on\nTuesday by Police Officer, Frank\nMcCloskey on charges of burglary con\nnected with the burglary of the shanty\nof the section men at Berrvville, was\narraigned before Judge Randall in the\nmunicipal court this morning. He\nwaived examination and was held for\ntrial at the next term of the circuit\ncourt in bonds of $1,500. He returned\nto jail, but it was said that he would\nprobably furnish bail during the day.\nDeSantise claims that he is the victim\nof a conspiracy He declares that he\nnever saw the clothing found in his\ntrunk and asserts that enemies placed\nthe clothing in the trunk and then\nsought his arrest on charges of burg\nlary. Attorney Calvin Stewart appear\ned for the defendant at the hearing to\nday and he declared that he had good\nreason to believe the story of the de\nfendant true.\nBlondin defeated Taft for the city\npocket billiard championship by a total\nof 300 to 274. Blondin won Monday’s\ngame by 150 to 97, Taft winning. Tues\nday night by 177 to 150. Taft made\nthe high run of the match with 15.\nSchmitt will play Blondin in about two\nweek, playing 600 to 450, playing two\nnights at Dnnnebacke \'ss and two nights\nat Schmitt Bros. /\nWILL ENLARGE PLANT\nHannahs Manufacturing Co.\nAnnounces Plans For\nNotable Extensions.\nDOUSLE HI) NEXT TEXS\n■\nPlans Provide For the Building of New\nMachine Shop, Dry Kilns, Glue Room,\nPower Plant and Storage Warehouses\n—Ground Is Already Broken.\nAt least one of the manufacturing\nconcerns of Kenosha is ready to back\nits faith in good business prospects and\nannouncement is made that the Han\nnahs Manufacturing company has made\nplhns for buildings to double the ca\npacity of that company and the work\nof building will be started just as soon\nas the building season opens and it is\nprobable that the building operations\nwill cover the better part of a year.\nStarting with the erection of a machine\nroom excavations for which have now\nbeen made the company plans to extend\nnearly every part of the plant and the\nplans include the building of eight new\nbuildings. The machine room will be\none story, 85x120 feet, and adjoining it\nwill be four new dry kilns. These kilns\nwill be each 18x120 feet in size. The\ncompany installed its present kilns\nseven years ago but the system now in\nuse has become antiquated and the\nplans for the coming year provide for\nthe installation of the latest kilns of\nthe Morton company. These, when com\npleted, will give the. company a capac\nity of 40,000 feet of dry lumber daily.\nThe next building will be a new power\nplant and this plant will provide for a\nchange from steam to electric power.\nIt is the plan cf the company to change\nover the pqwer of the entire plant as\nrapidly as possible and electric units of\nthe most modern kind will be installed.\nAnother building is a glue room which\nwill be used for veneering. This build\ning will be two stories in height and\n60x220 feet. With this space the busi\nness of the company may be greatly\nenlarged. The last building in the new\nplans is a great storage warehouse two\nstories in height and 60x122 feet in\nsize.\n“We are planning to double the ca\npacity of the plant,” said L. T. Han\nnahs m discussing the plans of the\ncompany this morning. “We appre\nciate that this building work will take\nsome time but we expect to rush the\noperations as much as possible. Growth\nof the business along many lines has\nmade necessary these big additions to\nthe plant. We desire to take care of\nthe business in the best possible man\nner and in order to keep abreast of the\ngrowing business a very large increase\nin capacity has been demanded.”\nThe Hannahs company has been\ngrowing by leaps and bounds in the\npast few years and the plant is now\none of the largest of the kind in the\ncountry. Its growth lias been a matter\nof especial interest to the people of\nKenosha on account of the fact that it\nhas been the product of local brains and\nlocal capital. The company hopes to\ncomplete all of the new buildings\nplanned by the end of 1914. Of course\nthis large increase in the size of the\nplant will bring a corresponding in\ncrease in the number of men to be em\nployed by the company. The company\nhas in recent months purchased land as\nsites for the new buildings and no fur\nther land will be required to carry out\nthe plans.\nMARRIED AT WAUKEGAN.\nNels Nelson and Katherine Ryan Have\nTrouble Fighting Railway Conductors.\nThere was a Kenosha wedding at\nWaukegan on Tuesday afternoon when\nMiss Katherine Ryan and Nels Kelson,\nboth well known among the young peo\nple of Kenosha, were married at the\nparsonage of one of the Waukegan\nchurches. The wedding was not with\nout a feature as the bride and groom\nhad considerable trouble having their\nwishes carried out. They had planned\nto be married by a minister who had\nofficiated at a wedding of the bride’s\nsister a year ago, but when they reach\ned Waukegan they were besieged by\nconductors on the street ears who were\nseeking marriage business for one of\nthe Waukegan justices. They finally\nmanaged to break away from the\n“commission merchants” and found\nthe home of the minister who perform\ned the ceremony\nThe report that Henry J. Hastings\nhad returned to his home was an error.\nMr. Hastings is still at the Pennover\nSanitarium, but his physicians are hope\nful that he will be able to go to his\nhome the first part of next week.\nKENOSHA, WISCONSIN. JANUARY J, 1914.\nRING OUT. WILD BELLS!\nRing out wild bells, to the wild sKy,\nThe flying cloud* the frosty light:\nThe year is dying in the night;\nRing out, wild bells, and let him die.\nRing out the old, ring in the new.\nRing, happy bells, across the snow*\nThe year is going, let him go*\nRing out the false, ring in the true.\nRing out the grief that saps the mind,\nFor those that here we see no more;\nRing out the feud of rich and poor,\nRin* i l n &*edre.V\': S\\ x^v-.xrJ&iid.\nRing out a siowiy dying cause,\nAnd ancient forms of party strife;\nRing in the nobler modes of life,\nWith sweeter manners, purer laws.\nRing out the want, the care, the sin,\nThe faithless coldness of the times;\nRing out, ring out my mournful rhymes,\nBut ring the fuller minstrel in.\nRing out the false pride in place and blood,\nThe civic slander and the spite;\nRing in the love of truth and right,\nRing in the common love of good.\nRing out old shapes of foul disease;\nRing out the narrowing lust of gold;\nRing out the thousand wars of old,\nRing in the thousand years of peace.\nRing in the valiant man and free,\nThe larger heart, the Kindlier hand?\nRing out the darKness of the land,\nRing in the Christ that is to be.\nTennyson\nHEW SCHEDULE READY\nChange in Parcel Post Rates\nWill be Put Into Effect at\nPostoffice on Thursday.\nWEIGHT LIMIT IS INCREASED\nThe new year will bring reduced par\ncel post rates and Postmaster Baker\nand his assistants are expecting very\nlarge increases in business as a result\nof the new schedule of rates. Under\nthe new plan 50 pounds may be sent by\nparcel post within a radius of 150\nmiles and 20 pounds may be sent to\nany part cf the postal districts. The\nrates for the service under the new\nschedule are announced by the post\nmaster, as follows:\nFirst Zone —Five eenti for the first\npound and one cent for each additional\npound or fraction thereof.\nSecond Zone —Five cents for the first\npound and one cent for each additional\npound or fraction thereof.\nThird Zone —Six cents for the first\npound and two cents for each addi\ntional pound or fraction thereof.\nFourth Zone —Seven cents for. the\nfirst pound and four cents for each ad\nditional pound or fraction thereof.\nFifth Zone—Eight cents for the first\npound and six cents for each additional\npound or fraction thereof.\nSixth Zine—Nine cents for the first\npound and eight cents for each addi\ntional pound or fraction thereof.\nSeventh Zone —Eleven cents for the\nfirst pound and ten cents for each addi\ntional pound or fraction thereof.\nEighth Zone —Twelve cents for each\npound or fraction of a pound.\nPLEASANT PRAIRIE TAX PAYERS\nNOTICE.\nThe undersigned will receive taxes\nfor the town of Pleasant Prairie for\nthe year 1913 at the Merchants and\nSavings Bank, Kenosha, on January 10,\n17 and 31st, all other days at my office\nin Pleasant Prairie.\nThos. A. Yates,\ndw37adv \' Town Treasurer.\nInstallations of officers of the vari\nous Masonic bodies come in rapid suc\ncession the early part of the year. Keno\nsha Chapter No. 3, R. A. M., Friday,\nJan. 2nd., Kenosha Chapter No. 92, O.\nE. S., Wednesday, Jan, 7th., and Keno\nsha Commaudery No. 30, K. T. Friday,\nJanuary 9 th.\nFORD AUTOMOBILES.\nRoadster 5515. Touring Car $565.\nRobbins and Higgins, agents for\nFord autos at Liberty Corners, Salem,\nKenosha county, Wis. Demonstration\nat Arnold and Murdock’s garage, 119\nPark street. Phone 2263. A full line\nof parts will be carried by Arnold and\n.Murdock’s garage and Chester Hockney\nof Silver Lake. advdwtf\nTHE OLD YEAR PUSSES INTO HISTORY.\n1913, the “Hoodoo” Year, Fails to Bring Calamity to Ke\nnosha and Year Proves One of the Most Event\nful in the Opening Century in Kenosha.\nLARGE NUMBER CALLED BY DEATH AND CUPID UNITES MANY\nClosing Year Has Been an Eventful One For the Municipality and Many Things\nHave Been Accomplished For the Advancement of the City—lndustrially,\nYear Is Regarded as a “Freak,” But Factories Show Big Growth—Schools\nAttain High Standard in Offering Practical Education to Working People of\nthe City—Park System Is Subject of Agitation—Many Problems Left Open\nFor the New Year to Give the Solution.\n“Ring out the okl, ring in the new.”\nThe year 1913 has passed into his\ntory. It has been a year of joy and\nsorrow in Kenosha and it has brought\nits blessings and its pains. The year\nhas not been a notable one along any\nlines and there have been few great\nevents to make it stand out prominent\nly in the history of the city. Regarded\nas a hoo-doo year from the start peo\nple have dreaded the coming of calami\nties, yet few years have found less as\ncidents in Kenosha. There have, of\ncourse, been shadows in many hearts,\nbut these have been counterbalanced\nby joys in the hearts of others. The\ndeath rate in Kenosha during the year\nhas been a normal one. The city has\nbeen free from any serious scourge of\ncontagious disease, this being in\nstrange contrast to the preceding year.\nThere has been an unusually large\namount of crime in the city during the\ntwelve months and the courts have been\ncorrespondingly busy.\nIn the affairs of the municipality the\nyear has been one of many accomplish\nments. There has been large extensions\nof the paving and sewer systems of the\ncity. Much has been done along lines\nof systematizing the affairs of the var\nious departments and commissions un\nder city rule. The old trunk sewer\nclaim bogey laid over to 1913 by the\nformer year has been dispose! of in a\nmanner favorable to the city and fair\nto the contractors. Ashland avenue has\nbeen opened. The city has had much\ntrouble during the year in seeking to\nsecure better service from public utili\nty corporations but with the closing\nof the year it appears that most of\nthese problems have been satisfactorily\nmet. The new north side trunk sewer\nhas been started and is nearing comple\ntion, plans are under way to secure\nfiltration for the city water. The big\ngest problem that is being left over to\nthe new year is the problem of ar\nranging the tracks of the North-\nWestern Railway Company aud the\nproblem of securing the entrance of the\ninterurban cars to the heart of the\ncity. This problem was solved early\nin .1913, but the solution was found to\nbe an incomplete one.\nFinancially, the year has been a bet\nter one for the city than the preceding\none and, while taxes are higher than in\n1912, this was made necessary by the\ngreat increase in the state taxes.\nThe Industrial Year,\nAmong the industries of Kenosha\n1913 was a freak year. Up to the first\nof November it\' gave promise of prov\ning a record breaking year so the man\nufacturers, but the last two months of\nthe year have brought a slump. This\nis declared to be only temporary and\nmanufacturers agree that the opening\nof the new year will see nearly all the\nworkmen of Kenosha back in their old\npositions. No new industries of any\ngreat size have been established in the\ncity but a number of small plants have\nbeen opened and these promise to grow\ninto much greater industries before the\nend of another year. Many of the lo\ncal plants have made large additions\nduring the year and the number of em\nployed men and women in the city lias\nbeen increased.\nSchools Broaden Out.\nOne of the notable developments of\nthe year just closing was the broaden\ning out of the w\'ork of the publie\nschool system. Kenosha has done much\ntoward extending practical education\nfor its working classes and the city is\ndeclared to be a model for other cities\nin the state. Coupled with these move\nments have been movements for larger\nand better schools and for the build\ning of the new high school. The play\nground movement has been one of the\nreal live questions in Kenosha during\nthe year and plans which have matured\npromise to offer an early solution for\nthis problem in Kenosha.\nActive work has been done during\nthe year toward the extension of the\npark system of the city. This is cer\ntain to bear fruit within another year.\nNotable among the year’s accomplish\nments in the city was the completion\nof the wall about the Kenosha ceme\ntery. This is regarded as one of the\nOldest Paper\nIn\nThe Northwest\nNUMBER 36\nmost beautiful and substantial pieces\nof work ever done in Wisconsin.\nKenosha has added quo new church\nduring the year, the St. Anthony\'s\nchurch having been opened only a few\nmonths ago.\nThe most notable events of the year,\narranged in chronological order, fol\nlow:\nJanuary.\n3. Kenosha people give noisy wel\ncome to hoo-doo New Year. Frank Ot\nto sends first parcel post package\nthrough Kenosha postoffice.\n2. Death of Mrs. Elizabeth Guiles.\nThomas B. Jeffery Company advances\nmen long in service. Death of Mrs.\nMartha Jacobi. United States court\nsets aside sale of Chicago & Milwaukee\nElectric Railway.\n4. North-Western Railway Company\nannounces plan for new yards for Ke\nnosha.\n5. Louis Brittale shot by Frank\nlaquento in street fight.\n.6 New officials of the county are\nplaced in office. Telephone company\nwins suit for collection of rentals. First\nreal snow storm of the year strikes Ke\nnosha.\n7. Thomas Hansen & Sons bm\np&iiy chartered by the state.\n8. Stanley Conforti wanted for Chi\ncago murder captured in Kenosha. O.\nD. Burkholder, assistant director of\nArt Institute in Chicago speaks to Ke\nnosha Woman ’s Club. Death of David\nDwyer.\n9. Polo league has first game in Ke\nnosha. Death of Mrs. Charles M.\nBarnes. C. D. Pennison, manager of\nKenosha Gas and Electric Company re\nsigns.\n10. August Baltzer announces his re\ntirement as city engineer.\n11. Death of Mrs. Joshua Coshun.\n12. Death of former sheriff Dr. John\nH. Veitch. Death of Myles O’Malley.\n13. Ice harvest is started in Keno\nsrfa county. Death of AloysTus Leise.\nDeath of Mrs. Lucy J. Cady. Mrs.\nMary Ryder, Jong sought by husband,\nlocated in Kenosha. Announcement i 3\nmade that Dewey Hardware Company\nwill quit business.\n14. Directors of Central Leather Co.\nvisit Kenosha plant. William Owens is\nkilled by train south of Kenosha.\nBoard *of Education votes to enlarge\nBain school.\n15. Death of Matthias Orth. Sim\nmons factory men hold a banquet at\nHotel Borup. Death of James G. Moe.\nNew harbor bill provides $24,000 for\nKenosha.\n16. Charles L. Marsh dies at Bristol\nhome. Madame Blumenthal disappears\nfrom Kenosha.\n17. County Board kills plan for>\nbuilding county tuberculosis hospitaL\nState Industrial commission hears many\ncases in Kenosha. Mayor Head forces\nrailway company to obey new traffic\nordinance.\n18. Mountain House on Grand ave\nnue looted by burglars.\n19. Death of Mrs. Louise Locke\nMatzke. William Karpowich shoots his\nsweetheart Anna Antonowicz in a fit\nof jealous rage. L. T. Crossman, secre\ntary of Kenosha Y. M. C. A., accepts\ncall to Rome, N. Y. Death of John\nMich.\n20. Death calls “Old Tom” Duffy.\nMarriage of Miss Frances Fencil and\nDr. O. E. Bellew in Milwaukee.\n21. Marinette officials visit Kenosha\nfire department. Death of Hugh\nMooney of Brighton.\n22. Death of Mrs. Sarah Strong My\nrick. Marriage of Miss Elizabeth\nMisehler and J. S. Dederich.\n23. State railroad commission hears\nevidence against utility conipanies.\nHeal/h board orders vaccination of men\n| exposed to small pox. Kenosha named\nias leader in : f ate report on night\nI schools. North-Western Ry. Co. gets\n1 title to large tract of land at Berry\n; ville. Annual Jewish charity ball at\nthe Academy.\n24. Death of Philip Wade. Supreme\nPresident E. A. Williams of Equitable\nFraternal Union visits local lodge.\n25. Death of Mrs. Elizabeth Schend\nMills.\n26. Dominick shoots acd', 'batch': 'whi_fanny_ver01', 'title_normal': 'telegraph-courier.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85040310/1914-01-01/ed-1/seq-1.json', 'place': ['Wisconsin--Kenosha--Kenosha'], 'page': ''}, {'sequence': 1, 'county': ['Pierce', 'Saint Croix'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85033255/1914-01-01/ed-1/seq-1/', 'subject': ['River Falls (Wis.)--Newspapers.', 'Wisconsin--River Falls.--fast--(OCoLC)fst01206049'], 'city': ['River Falls', 'River Falls'], 'date': '19140101', 'title': 'River Falls journal. [volume]', 'end_year': 2019, 'note': ['Available on microfilm from The State Historical Society of Wisconsin.', 'Description based on: Vol. 16, no. 9 (Aug. 23, 1872).', 'Editors: S.R. Morse, Feb. 23, 1911-Jan. 1, 1925; E.H. Smith, July 5, 1928-June 13, 1929; C.E. Chubb, April 5, 1945-June 27, 1957; G.M. Kremer, July 4, 1957-July 24, 1958; J.V. Griggs, Aug. 23, 1984-', 'Merged with: Hudson Star Observer, and: New Richmond News, to form: Star-Observer.', 'Published also in a weekly ed., Aug. 5, 1873-June 24, 1874.', 'Publisher: A. Morse & Son, <1874>.', 'Semiweekly issues distinguished as 1st and 2nd editions, July 22, 1873-Mar. 20, 1874.', 'Supplements accompany some issues.'], 'state': ['Wisconsin', 'Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'River Falls, Pierce County, Wis.', 'start_year': 1872, 'edition_label': '', 'publisher': 'A. Morse & Co.', 'language': ['English'], 'alt_title': [], 'lccn': 'sn85033255', 'country': 'Wisconsin', 'ocr_eng': 'Advertising\nIf you are fairly “good at figures” you\nwill quickly convince yourself that it\npays to read the advertisements and\npatronize The Journal’s advertisers.\nVOL. 57\n. ■ . • • .1\nL. \' I -\nW IM - u ! “ \' —t— 1\n■ ml I • < \' — —\nJr —if f\'\n■>II f • J\nKMI li I 1 1 i * ~ i\nBaXw I M a!\nPOPULAR TALKS ON LAW\nBy Walter K. Towers, A. 8., J. of the\nMichigan Bar.\nWho Owns the Air?\n“Free as air” is ard\nso long as man had not succeeded in\nmastering the air this was true\nenough. There was air sufficient\nfor f I of us and as none could nay\nigate it with any success, questions\nof the control of the air did not\narise.\nBut now we the aeroplane\nand the airship and we are ; n what\npromises to be the beginning of an\nage of aviation. So it is that the\nlaw is beginning to develop: to keep\npace with the development of aero\nnautics. As yet flying machines are\nfew in number, but it seems that\nwe may well look forward to a time\nin the not far distant future when\nthe passage of aeroplanes and air\nships above us will be no uncom\nmon spectacle. What right has the\naeronaut to pass above our proper\nty? What are his liabilities in case\nhe causes injuries to those below\nhim? These and many similar\nquestions are arising, and the law\nis preparing to answer them as\nthey arise.\nIf one passes over your land, on\nthe surface, without your permis\nsion, be has committed a tresspass\nand though he may have caused no\nappreciable damage to your prem\nises, you may recover small dama\nges in a court of law by way of vin\ndication of your rights. What are\nyour rights against the aeronaut\nwho passes through the air above\nyour property? It is a fundamental\nrule of English law that a person’s\nproperty extends indefinitely down\nward and indefinitely upward. This\nrule has existed since the beginn\nings of law, and qnder it one has\ncontrol of the area above his land.\nA strict observance of this rule\nwould lead to this result: An aero\nnaut who passes above your land is\na technical trespasser, and though\nhe drops nothing upon you or yours,\nthough he cause you no real injury,\nhe has violated your rights —he has\ntrespassed—and you may sue him\nand recover damages. Such would\nbe the logical result of the applica\ntion of the law as it has long exist\ned in English-speaking countries.\nBut it seems highly improbable\nthat the law will be allowed to re\nmain in this condition. Aviation\nhas come to stay and it would seem\nto be a necessity that aeronauts be\nallowed to pass freely over the\nproperty beneath, whether it be pri\nvately owned or a public highway.\nThis necessity seems certain to\ncause a change in the law, which is\nlikely to come in the form of legis\nlative enactments concerning flying\nmachines. The French have already\ntaken action, a law having been re\ncently enacted which extends to\naeronauts free right to navigate the\nair, passing where they will. The\nnation retains the general control\nof the air, however, so that it may\nprevent any but French airships\nfrom flying over French territory,\nand make such regulations as may\nbe necessary.\nAmong the American states Con\nnecticut has taken the lead in pas\nsing legislation of this character.\nA law entitled “An Act Concerning\nthe Registration, Numbering, and\nUse of Air Ships, and the Licensing\nof Operators Thereof” was passed\nby that state in 1911. Under this\nlaw airships are subject to rules\nsimilar to those generally applied\nto automobiles. The owner must\nfile certain information with the\nSec. of State, pay a fee, receive a\ncertificate entitling him to fly, and\na number. This number must be\ndisplayed on the airship in letters\nnot less than three feet in height.\nAirships may be operated only by\nlicensed aeronauts.\nThis law fixes the responsibility\nfor all resulting damages in the fol-\nWE WISH YOU ALL A HAPPY AND PROSPEROUS NEW YEAR.\nThe River Falls Journal\nlowing section:\n“Every aeronaut shall be respon\nsible f>r all damages suffered in\nthis state by any >- son from injuries\ncaused by any voyage in an airship\ndirected by such aeronaut; aud if\nhe be the agent or employee of an\nother in making such voyage his\nprincipal or employer shall be re\nsponsible for such damage.”\nThe states of Massachusetts and\nNew York are considering similar\nlegislation and before many years\nit seems probable that every state\nwill have acted on this subject.\nThe question of fixing the respon\nsibility for damages, which b«s\nb ;en cared for in the Connecticut\nact, is one that is likely to be of\nimmediate importance. The dan\ngers of airships passing over prop\nerty are considerable. Parts, bag\ngage, or ballast might be dropped,\ncausing injury to persons or pro\nperty beneath. The fall of an aero\nplane upon a city might occasion\nsevere damage to those on land, as\nwell as to the unfortunate aeronaut\nBut fancy the damage resulting\nfrom the collision between two\ngiant airships of the Zepplin type\nWith the present interest in avia\ntion and the popular encourage\nment which it is receiving, the atti\ntude of the lawmakers is likely to\nbe favorable to them as far as\ngranting to them the right to freely\nuse the air is concerned Landown\ners are not likely to endeavor to de\nmand a fee from aeronauts passing\nover their property. The legisla\ntors are likely to grant great free\ndom of passage and the courts are\nlikely to sustain the legislation. Of\ncourse, a property owner might ob\nject that when the legislature grants\nthe right to navigate the air freely\nit gives a right to pass over his\nland and thus takes away from him\na portion of his property. Such a\ncontention, if made, will raise some\ninteresting cases, the result of\nwhich no one can foresee.\nBut as to fixing the responsibility\nfor injury resulting from the opera\ntion of airships, the law seems in\ndined to hold the aeronaut to strict\naccount. If the aeronaut wishes to\ntake the risk of riding in the air, he\nmust further take all the risk of\ncausing injury to persons or prop\nerty over which he passes. As mat\nters stand now, even in the absence\nof a statute fixing the responsibili\nties, as in Connecticut, a person in\njured by an airship may almost cer\ntainly recover damages from the\naeronaut. If a passing airship lets\ntall any object which injures your\nproperty you may sue the person\nwho is responsible for the operation\nof the airship.\nA few cases have already arisen\nin England. A British aeronaut\nwas driving his aeroplane and at\ntempted to descend into a field. The\nfield was occupied by a cow and the\ncow apparently resented the appear\nance of this strange object from\nabove. As the aeroplane descended\nthe cow rushed toward it, making\nhostile demonstrations. The aero\nnaut endeavored to avoid the infur\niated bovine, but was unsuccessfull\nand her cowship succeeded in plung\ning beneath the machine just as it\nreached the earth. The resu.ts\nwere disasterous to the cow, and\nthe sequel came when the farmer\nwho owned the cow sued the aero\nnaut and recovered damages for\nthe loss of the cow.\nThe aeroplane has found its way\ninto the classified ad columns as\nwell as into the courts, as witness\nhe following interesting ad which\nappeared in a German newspaper:\n“Lost from an aeroplane, a gold\nwatch and chain. Last seen disap\npearing in large stack of rye on a\nfield near Ulzen.”\n(Copyright, 1913, by Walter K. Towers )\nThe insurance business of Jay H.\nGrimm has been moved to room 107\nTremont Building. —adv.\nRIVER FALLS, WISCONSIN, JANUARY ), 1911\nCHRISTMAS SEALS\nRed Cross Christmas Seals were\nsold in River Falls as follows: by\nchildren of the Public School $34.18,\nby the Normal School $5 71, by the\nmerchants $4 01, total for the city\n$43 90. This is a larger sale than\nhas ever been made in River Falls\nbefore yet is not up to what neigh\nboring cities of this size are doing.\nBy the generosity of the River\nFalls business men the following\nprizes were awarded to the children\nof the Public School who sold the\nlargest number of seals.\nBessie Morrow - $1.50 in mer\nchandise by J. W. Allard.\nHelen Smith - $1.50 in mer-\nchandise by Stewart Merchantile\nCo.\nEdward Lundeen - pair of Skiis\nby A. W. Lund.\nMargaret Smith - Jersey by\nJohnson & Cranmer.\nEsther Maier - cap by Hage\nstad & Co.\nFlorence Parsons - piece of crock\nery by Norseng Bros.\nHarold Baker - pair of skates by\nDr. Cairns\nDr Cairns,\nLocal Manager\n“WHERE THE TRAIL DIVIDES”\nDrama Pleases Large Audience ai Gales\nburg. Will Appear Here <Jan. 22\nWith a cast of characters seldom\nexcelled in any way. “Where the\nTrail Divides” was ably presented\nat the Auditorium Theatre Tuesday\nevening, and it was witnessed by a\ngood house. The play is a clean\none and many points which are in\nspiring to fairminded lovers were\nforcibly presented by the players,\nin their appearance here.\n‘Where the Trail Divides” is a\ndrama mixed with comedy and sad\nness in four acts, dramatized from\nWill Littlebridge’s novel of the same\nname. It was indeed favorably pre\nsented here by C. S. Primrose,\nwhose fame is wide-spread.\nThe scenes are interesting and\ntypical of the far west life. Ralph\nBurt, as Bob Manning, the old\ncountry storekeeper who tries to do\nthe right thing all the way through,\nand Edward Helms, playing the\npart of Ma-Wa-Cha-Sa, the Indian\nknown as How Lander, were the\nstars. Elizabeth Lander’s part\nwas very capably played by Miss\nElizabeth Gilmore, a handsome\nbrunette with a splendid figure,\nwho decides to marry an Indian\nand live with him, despite the strong\ncoaxing of Archie Anderson, who\nwas also an interesting character\nin the presentation here.\nRolle B Williams and Clayton\nCraig have important parts in the\nplay and their work was highly\ncomplemented by Galesburg people\nDaily Republican Register, Gales\nburi?\', 111., Wednesday, Oct 8. 1913\n“Where the Trail Divides” will\nappear at the Auditorium, River\nFalls, Wis., January 22, 1914.\nCONTRACTORS’ NOTICE\nNotice is hereby given that the\nboard of directors of the River\nFalls Co-operative Creamery Co.\nwill receive sealed bids for the erec\ntion of a Creamery Building Jan. 15,\n1914, at 2:00 P. M., at H. A. Hage\nstad’s store.\nThe structure to be built of ce\nment blocks lined with hollow tile,\ndimensions of main building 66x36\nft., 14 ft. in height with annex boiler\nroom 24x26. Building to be erected\nas early as possible in the spring.\nPlans and specfications on file at\ncreamery.\nBids to be accompanied by Certi\nfied check for S2OO 00.\nThe board reserves the right to\nreject any cr all bids. —adv.\nFor the candy hungry boy —give\nhim Shepard’s “Strained” honey\nNORMAL SCHOOL REGENT\n>\n3 .\n7\nP. W. RAMER\nGovernor McGovern last week\nappointed Mr. P. W. Ramer, of this\ncity, to succeed Hon. George\nThompson, of Ellsworth, as the\nlocal member of the State Board of\nNormal School Regents. Mr. Ramer\nis indeed well qualified to fill this\nposition an J all interested in the\nRiver Falls Normal school feel th t\nwith Mr Ramer as Regent, and Mr,\nCrabtree as President, the business\nof operations of this institution\nwill be in most competent hands,\nand that the school should continue\nits prosperity with certain, steady\nstride.\nHon. George Thompson resigned\nhis regentship a short time ago to\naccept the position of Circuit Judge\nof this district. His term as regent\nwould have expired the first Mon\nday in February, 1914.\nKNOWLES SUCCEEDS\nTHOMPSON\nAtty. W. P Knowles, of this city\nhas been appointed by Governo>\nMcGovern to succeed Judge Thomp\nson as district attornev of Pierce\nCounty. Mr. Knowles will com\nmence his duties in this office next\nMonday.\nIn this appointment the Governor\nhas made a choice highly satisfac\ntory to the people of this district.\nMr. Knowles is a talented and able\nattorney and he is well qualified for\nthe duties of this office. He has\nalways shown a hearty interest in\nthe public welfare and has backed\nthis interest by lots of hard, con\nscientious work His friends in this\ncommunity are glad to note this\nreward for his past services, and all\nfeel certain that his career in this\noffice will be marked with decided\nand brilliant success.\nAN APPRECIATION\nMann Valley, Wis ,\nDec 27, 1913.\nEditor,\nRiver Falls Journal.\nYour paper has been a welcome\nvisitor in our home for some years\nand we thought that a word of ap\npreciation might be encouraging to\nyou.\nWhile the news of course are the\nitems first looked for, we find it\nbrim full of other instructive and\ninteresting reading matter.\nWe have especially been glad to\nnotice a sermon by Pastor Russell,\nwhich we read with great interest\nand find it highly instructive and\nhelpful, making it more easy to\nunderstand the bible. He seems ot\npreach a little different from other\npreachers in that he is speaking of\nthe Millennial reign o f Christ\nspoken of in the Opokotypce which\nall other ministers seem to ignore.\nHoping to see it continued, ve\nare wishing you a prosperous New\nYear.\nN. P. Swenson, and family,\nR. R 4, City.\nH. A Blodgett, president of the\nBrown, Treacy & Sperry Co , was\nelected president of the St Paul\nCommercial Club on Tuesday of\nlast week. Mr. Blodgett purchased\na farm adjoining Ilwaco Springs\nand spends the summer months\nthere with his family.\nWASHINGTON\nFROM JAMES A. FREAR, MEMBER OF\nCONGRESS, 10th DISTRICT\nTwenty thousand people gathered\nChristmas Eve in front of the Capi\ntol to celebrate a community Christ\nmas tree. The President’s band\nwas stationed near the main steps.\nOn the lower steps were a thousand\nsingers who contributed their ser\nvices, while above and in front nl\nstatuary on either side of the en\ntrance were the wise men from the\nEast, angels with outstretched\nwings, Babe in the Manger and oth\ner figures in a series of tableaux.\nOut on the p.aza a few yards dis\ntant stood a huge Norway pine,\ncovered with thousands of incan\ndescent lights, with a brilliant elec\ntric star glistening from the top\nmost branch. Calcium lights thrown\nupon the figures added to the beau\nty of the occasion so that betw en\nmusic, lights and tableaux, it all\nemed a veritable faryland\nFrom where I was standing on\nthe steps, the spectacle was inspir\ning and it occurred to me that al\nthough every Preside t from Wash\nington and Lincoln down to Wilson\nhad looked cut from the same p irr\nand across the same plaza, none had\nwitnessed a more beautiful or im\npressive scene. No presents were\niven, no was slighted and do\nneart burnings followed Everybody\nwas welcome and the last remem\nbrance of the occasion was had\nfrom a mammoth electric sign\nreaching a hundred feet above and\nacross the main entrance of the\nCapitol, bearing the message to\n\'ens of thousuads, “Peace on Earth,\nGood Will to Men.”\nSenator LaFollette’s seaman’s\nnill has brought forth many protests\ntrom the shipping interests along\nlake Michigan. As it passed the\nSenate the bill requires a sufficient\nnumber of life boats to carry all\npassengers. This may create some\ninconvenience or additional expens\nout the gilded parlors of the Titanic\noffered little comfort to those who\nwent down because of lack of boats\nThese protests argue that liyes\nare much safer on the lakes than on\nthe ocean although generally speak\ning lake passenger boats are unable\nt > get near the shore because (f\ntheir draught and it would be as\ndisagreeable •> be drowned within\na few yards of shore as out in the\nmiddle of the ocean. One of th\nminagers of a line of lake vesse s\nwas heard to say he would not risk\nhis family on a nignt trip across\nthe lakes, because of the possibility\nof fire or other accident and con\nsequent loss of life. Under present\nconditions life boats are not pro\nvided for one-tenth of the passen\ngers on the average vessel, which\nillustrates the good judgment of\nthis manager in his desire to pro\ntect his own people from danger.\nLaFollette’s bill extends full pro\ntection to every passenger whether\nriding on the lake or ocean, or in a\nluxurious first cabin or down in the\nsteerage.\nCongressman Hayes of California\nis the senior member of the Re\npublican minority of the Banking\nCommittee that handled the cur\nrency bill. He is an experienced\nbanker and because of position on\nthe Committee assumed charge in\nthe House of the discussion against\nthe measure. On the night the bill\npassed, Mr Hayes was in the street\ncar bound for the White House,\ngoing at the President’s invitation\nto witness his signature to the new\nlaw. Previous to the bill’s passage\nI had briefly discussed it with Mr.\nHayes and now that it is no longer\nan issue, I asked for his frank\nopinion on its probable effect on\nbusiness. He answered that the\nnew currency law was better than\nthe old act which authorized Nat-\nSOCIAL AFFAIRS\nMiss Eya White entertained\ntwenty couples at progressive rum\nmie Monday evening. Mrs. Con\nstance .Thorsen won the honors,\nvhile Mr. H.. Rudow was awarded\nthe consolation prize.\nA number of the young men of\nthe city, who are teaching or at\ntending school out of town, enter\ntained at a private dance in Syn\nlicate hall last Friday evening.\nMiss Gertrude Mossier chaperoned\nhe party. There were twelve\ncouples in attendance.\nMiss Gladys Stiles entertained at\ncards Tuesday evening.\nMr Earle Whitcomb had as guests\nat dinner Monday evening fellow\nmembers of the Acacia fraternity,\nwho are spending the holidays at\ntheir homes here, and their ladies\nIn the party were Mr. and Mrs.\nWarren Clark, of Beulah, Mich.,\nMiss Coie Winter, Miss Eva White,\nMiss Renee Romdenne, Mr. Ott\nWinter, and Mr. Henry Rudow\nThe social hop at the Auditorium\nnst evening was a very pleasant\naffair and was well attended.\nMr and Mrs Everett Fuller, Mr.\nand Mrs. A. M. Baldwin and Mr\nand Mrs. W E Tubbs entertained\nT a cards at Syndicate\nH I Monday evening. The hall\nwas beautifully decorated for the\noccasion. Refreshments were ser\nved in cafaterea style, tables\nbring placed on the dancing flooi\nwhile the guests were collectin’,\ntheir dishes and delicacies “"at the\ncounter.” Music was furnished by\nan orchestra consisting of Mr.\nJohn E. Howard, and Messrs. Crane\nand Zimmerman, of Hudson.\nDuring the general exercise per\n>od at the Normal school this morn\ning, John Kuehnl, a student in the\npolitical science class, gave a\nthorough and highly interesting talk\non the features of the workmen’s\ncompensation act. He explained\nthe law and its exact application to\nboth employer and employee\nOshkosh Daily Northwestern. Mr\nKuehnl was.a member of the 1913\ngraduating class of the River Falls\nhigh scho’U\nThe baseball game scheduled for\nChristmas morning was called off on\naccount of the sudden drop in the\ntemperature, and the accompany\ning snow flurry.\ni >nal Banks to issue currency based\non the two per cent government\nbonds While the law had several\nobjectionable features including\nthe partizan makeup of its Federal\nBoards, he belived the good feat\nures outweighed the objections and\nsuccess or failure would largely\ndepend upon its administration\nInflation of the currency’might be\n| brought about through poor man\nagem -nt he said, but he conceded\nthat money string ncies like that of\n1907 were not likely to ever occur\nagain. Mr. Hayes’ judgment will\nbe accepted as that of a financier\nwho ought to know and, on the\nwhole, it is importan- to learn that\nhe believes the new law is an im\nprovement over the old one. On\nthe final vote Cooper, Stafford,\nCary, Esch, Lenroot, Nelson and\nthe writer together with the Demo\ncratic members of the Wisconsin\ndelegation joined 80 per cent of the\nHouse Members in support of the\nmeasure.\nC ingress meets after the recess\non January 12th with many import\nant matters to consider. During\nthe recess, time is given to meet re\nquests from constituents who have\ndifferent interests before the De\npartments and it also gives extra\ntime in which to clear up corre\nspondence that reaches to scores of\nletters every day.\nJob Printing\nThat is a part of our business, and we\npride ourselves in doing the best\nand neatest kind of work, i’atroiti/.e\nthe .Journal Job Print. Quick service.\nTHIRTY-SIX YEARS Afifl . £ 45\nT«ksn Fro.n The River Falls Jjurnal\nof January 3,1878\nSumner A. Farnsworth,\nwho is teaching at Brainerd, .viuin ,\ncame down to spend his vacitim\nwith his parents. Minnesota weath\ner seems to agree with him.\nDuring the warm weather of the\npast week many farmers hereabouts\nresumed plowing; we also hear of a\ntew who sowe 1 wucat.\nMessrs. Clint Winchester and\nHersey Lord, with their families,\nspent the holidays at the lumber\ncamp of Jake Lord, Esq., at Hink\nley.\nA new paper has just been start\ned at Durand called the Pepin Coun\nty Courier, edited by Mr. W. H.\nHuntington.\nFrank Thayer, of the Pierce\nHouse, while out hunting last\nTuesday, came in contact with a\nlarge gray wolf that did not seem\ndisposed to bear kindly with the\nsalute from Frank’s revolver, and\nmanifested a strong desire for re\nvenge, out the timely arrival of the\ndog that “dispersed” the vicious\nanimal prevented what might have\nOeen a serious encounter.\nWe understand that Sherlock\nWales wii) return f I>(n his trip to\nCau tda ccouip . .u-o py one of the\nfair sex ..s his u.ide.\nMartell has six acres of apple\nrees growing.\nJo. Wadsworth is running an ex\npress for the accomodation of the\ncitizens of this village.\nOBITUARY\nWILLI \\M Al tCLT AN\nThe funeral of William Mac Lean\nwas he\'d from the family home,\nfour miles from Prescott, at two\no’clock Tuesday P. M., December\n23, Rev. Evert officiating. Inter\nment was made in Pine Glen cem\netery.\nOn Sunday in the early afternoon,\nMr. Mac Lean quite suddenly de\nparted this life after an heroic\nstruggle for weeks at St. John’s\nHospital, St. Paul, Minn. His\nwholesome life and his sturdy\nScotch blood of inheritance carried\nhim thru two severe operations,\nbut death has snatched him away,\njust as his friends were most hope\nful ot his recovery and return to\nhis home.\nSo brave, so honest, so genial, as\nboy and man, so tender and gentle\nwith every living thing, a devoted\nson to his mother in her declining\nyears, the kindly neighbor, these\ntraits have won for him all honor\nfrom the people of his home town\nand birthplace. Mr. Mac Lean was\nborn near Prescott March 27, 1877.\nHe was married to Margaret\nRoberts on the second day of March\n1912. Their brief but ideally happy\nmarried life will be a soothing\nmemory to his family.\nHis devoted wife and brothers,\nR. B. Mac Lean of St. Paul, Minn ,\nand Lee Mac Lean of Prescott\nspent these anxious weeks at Will’s\nbedside or within c; 11.\nIn their deep grief they must\nsurely be comforted with the ten\nderest and choicest memories of\nWill all along the way they have\ntraveled together on earth.\n"The good that men do lives\nafter them.” * * *\nGilbert R. Thurston, a pioneer\nresident of Ellsworth, died sud\ndenly of heart failure the 23rd inst.\nat his home in that village. He\nwas seventy-two years of age. He\nis survived by his wife and three\nchildren, Joseph E., W. Earl, and\nMiss Kuie. Mr. Thurston was a\nveteran of the Civil war, having\nserved in Co. C, 30th Wisconsin.\nNO. 43', 'batch': 'whi_hegmeister_ver01', 'title_normal': 'river falls journal.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85033255/1914-01-01/ed-1/seq-1.json', 'place': ['Wisconsin--Pierce--River Falls', 'Wisconsin--Saint Croix--River Falls'], 'page': ''}, {'sequence': 1, 'county': ['Dodge', 'Jefferson'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85040721/1914-01-02/ed-1/seq-1/', 'subject': ['Watertown (Wis.)--Newspapers.', 'Wisconsin--Watertown.--fast--(OCoLC)fst01212850'], 'city': ['Watertown', 'Watertown'], 'date': '19140102', 'title': 'The Watertown weekly leader. [volume]', 'end_year': 1917, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Available on microfilm from The State Historical Society of Wisconsin.', 'Editor: E.W. Feldschneider, Dec. 19, 1913-Dec. 29, 1914.', 'Issued also in a daily edition called: Watertown daily leader, March 6-<July 31, 1916>.', 'Publisher varies.'], 'state': ['Wisconsin', 'Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Watertown, Jefferson County, Wis.', 'start_year': 1912, 'edition_label': '', 'publisher': 'W.L. Swift', 'language': ['English'], 'alt_title': ['Weekly leader'], 'lccn': 'sn85040721', 'country': 'Wisconsin', 'ocr_eng': 'THE LEADER\nhas a large circulation in Jefferson and\nDodge Counties and is a good advertising\nmedium. A trial will convince you. :-; :\nE. W. FELDSCHNEIDER. Editor and Publisher.\nST. MARY’S\nHOSPITAL SOLD\nCatholic Sisters of Techny. Illinois.\nClose the Deal This\nWeek\nThe Sisters of the Holy Ghost of\nTechny, Illinois, have purchased St.\nMary’s Hospital in this city and are ex\npected to take charge of it in a short\ntime. The hospital was established in\nin 1007 and under the able management\nof Dr. C. J. Hahhegger has flourished\nand has become widely and favorably\nknown, having been of invaluable ser\nvice to the community and was a God\nsend to many. The Sisters will take\ncharge of the hospital in a few days.\nDr. Hahhegger will continue his practice\nhere.\nSell 11.450 Seals\nLincoln school captured a majority of\nthe honors in the seal selling contest\nclosed last week. Their efforts are large\nly responsible for a lug sale of the little\nstickers offered for disposal by the Anti-\nTuberculosis society, a loial of 11,45f\nstamps having been sold by the pupils\nof the city schools. Sales by pupils in\nthe rural schools and at Northwestern\ncollege and others will swell this number\nconsiderably.\nThe names of the winners and\ntheir school are as follows:\nMargaret Tauck, First grade. Lincoln.\nCharles Fading, Second grade, Lincoln.\nMargaret Boelt, Third grade, Douglas.\nLouis Werner, Fourth grade, Lincoln.\nChas. Kohu, Fifth grade, Douglas.\nLouise Koenig, Sixth grade, Douglas.\n\\ iolet Wolfram, Seventh grade, Liu\ncoln.\nMary Woodard, Marie Schmutzler,\nEighth grade, Lincoln, tie.\nHerbert Eugelke, High school.\nThe prize for the highest individual\nwas won by Kay Simon. Prize winners\nmay secure their prizes Monday at Carl\nNuwack’s furniture store, where they\nhave been on exhibition the past week.\nWisconsin Inventors\nThe following patents were just issued\nby D. Swift &Cos., Patent Lawyers, Wash\nington, D. C., who will furnish the copies\nof any patent for ten cents apiece to our\nreaders. Theodore C. A moth, Madison,\nHorseshoe; Henry M. Bnllis, Milwaukee,\nPrinting press attachment: Charles E.\nCleveland, Fond du Lac, Twin band saw\nmill; George K. Do Wein, Milwaukee,\nVanner; Otto M. Gilbertson. La Crosse.\nMachine for cutting and feeding sani\ntary paper covering for closet seats;\nMichael Iverson, Stoughton, Surgical\nappliance; Theodore W. Jordon, Milwau\nkee, Trolling device; Fred N. Lang, Bay\nfield, adhesive plaster; John K. Mo He,\nWausau, Hue spacing mechanism for\ntypewriters.\nSerial By Robert W. Chambers\nWe doubt if there is a reader of the\nLeader who is not familiar with the writ\nings of Hol>ert W. Chambers, one of the\nforemost of present-day popular authors,\nand for that reason the announcement\nthat one of his best stories, “The Maids\nof Paradise,” is to appear in this paptr\nin serial form will excite more than or\ndinary interest. If you like good fiction\nyou will enjoy this rushing story of the\nFranco-Prussiau war of 1870. Our issue\nof Jan. 14 will contain the first install\nment.\nElect Officers\nAt the annual meeting of the Build\ning Trades Council the following\nwere elected:\nPresident—Henry E. Krueger.\nVice President—Henry Hoffmann.\nTreasurer —Ewald Kaliebe.\nRecording secretary —Hugo Laabs.\nFinaueial secretary —Harry Schlueter.\nBusiness agent Henry K. Krueger.\nMany Autos\nAccording to the returns of the sever\nal town and city assessors there are 433\nautomobiles in Jefferson county, the fixed\nvaluation being §272,810; and yet we hear\nmuch of hard times and sighs for the\n“poor peeple.” The returns show that\nthere are 13 in the town of Konia; Con\ncord 14; Farmington 14; Watertown 8\nand 03 in the city of Watertown.\nWorms the Cause of Vo ir Child\'s\nPains\nA foul, disagreeable breath, dark cir- 1\nales around the eyes, at times feverish,\nwith great thirst; cheeks flushed and\nthen pale, abdomen swollen with sharp\ncramping pains are all indications of\nworms. Don\'t let your chila suffer—\nKICKAPOOWORM KILLER will give\nsure relief —It kills the worms—while\nits laxative effect add greatly to the\nhealth of your child by removing the\ndangerous aud disagreeable effect of\nworms and parasites from the system.\nKICKAPoO WORM KILLER as a health\nproducer should be in every household.\nPerfectly safe. Buy a box today. Price.\n25c. All Druggists or by mail. KICKA\nPOO INDIAN MED. CO. PHILA. or ST.\nLOUIS.\nAnnounce Engagement\nDr. and Mrs. F. B. Hoermana announce\nthe engagement of their daughter, Adele,\nto Lawrence E. Clark of Honolulu.\nChe matmown meekly Leader\nT --- x=- J===3\nSocial Doings\n•*-- - \'■\nA marriage of much interest took\nplace Saturday afternoon December 27\nat the Immanuel Church when Miss\nLaura Kramer daughter of Mr. and Mrs.\nAlbert Kramer became the bride of Mr.\nGeorge Terwedow. the Kev. George\nSandrock officiating. The young couple\nwere attended by Miss Elnora Baskey,\nMiss Clara Kosbab and Messrs. George\nGuetzlaff and Fred Menge. The bride is\none of Watertown’s popular young\nladies. The groom is a sou of Mrs. Carl\nTerwedow and is a favorite among his\nassociates. He is foreman of the print\ning room at the I. L. Henry Box Com\npany. The young cot pie will start\nhousekeeping at 109 Herman Street.\nThe marriage of Miss Celia Oestreich,\ndaughter of Mr, and Mrs. Charles\nOestreich and Mr. Fed Guetzla.T, both\nof Watertown, took place at a Lulhern\nchurch in Milwaukee Tuesday, last week,\nat 4 o’clock. The young couple were at\ntended by the groom’s married sister and\nher husband who reside in Milwaukee.\nThe groom is a tailor by trade and is\nemployed at the Rogler lailoiing shop.\nHe is the son of Mrs. Henrietta Guetz\niaff. The young couple will make their\nfuture home in Washington street.\nTheir many friends offer congratula\ntions.\nThe many friends of Miss Helen Zill\nmann and Mr. Martin F. Zoellick will\nbe interested in learning of their mar\nriage which occurred at 3 o’clock Tues\nday afternoon at the home of the bride\nin the town of Emmet, The ceremony\nwas performed by the Kev. F. H. Eggers\nand was witnessed by a number of friends\nand relatives, a reception following the\nceremony. The groom is a well-known\nbusiness man being engaged in the\njewelry business in Main street. The\nbride is an accomplished and popular\nyoung lady and the couple enter married\nlife with the well wishes and congratu\nlations of their many friends. They will\nreside at the home of the bride.\nA happy reunion of the family of Mr,\nnud Mrs. Leonard Soldner was held at\ntheir home in the town of Lowell on\nsecond Christmas day. All the children\nwere present as follows: August Solduer,\ntown of Emmet; Mr. and Mrs. George\nSolduer and family, Mr. and Mrs. John\nNeis and family, Mr. and Mrs. Henry\nReinhard, town of Lowell; Mr. and Mrs.\nWillie Soldner, Roeseville; Mr. and Mrs.\nHerman Soldner, town of Lowell; Mr.\nand Mrs. Charles Schmoldt, town of\nLowell; Julius Lehmann, Tennessee.\nMiss Helena Faltersack, daughter of\nPeter Faltersack of Rich wood, and Mr.\nWalter Paschken of London were married\nat 2 o’clock Monday afternoon by Justice\nW. 11. Rohr in his office. Chester Stras\nberg of London and Max Rohr acted as\nwitnesses. The bride is but 16 years of\nage and was granted a license to marry\nonly after her father had visited the\nclerk and signified his willingness to\nallow the maniage. The groom is a\nharness maker at London, and will take\nhis bride there to reside.\nA number of friends of Miss Lillian\nKoenig tendered her a pleasant surprise\nSaturday evening. Those present were\nJennie Jones, Anna Biefeld, Dela Wendt,\nMarion Perry, Meta Zillmer, Florence\nKoenig, Frank Spear, Arthur Pieritz,\nSeth Perry, George Perry, Donald Potter,\nFred Schultz and Will Riess.\nMiss Hattie Zoelle entertained a few of\nher friends Tuesday evening at her home\nin Monroe street. The time was pleasant\nly spent in cards and music. Light re\nfreshments were served.\nMrs. Frank Jennings entertained the\nSewing Club at her home in O’Connell\nstreet Monday evening.\nDrug Store Moves\nOwen’s Drug store, which has been\nlocated on North Second street for the\npast year or so, is being removed to\nlarger quarters, 412 Mam street, near\nthe corner of sth street. Most of the\nstock and fixtures have already been\nmoved to the new store, and Mr. Owen\nis now busy getting things in shape.\nWith the nice new r oak fixtures that are\nbeing installed, the store certainly ought\nto make a dandy appearance. The place\nwill be open for business about Monday,\nJan. sth.\nIs Presented Cup\nMr. Henry Mulberger has severed his\nconnection with the Globe Milling Cos.,\nas its manager and is now actively asso\nciated with the Bank of M atertown. Mr.\nMulberger was presented with a hand\nsome silver loving cup by the employes\nof the company.\nAdvance Information.\n“Was it a case c Z love tt first\nsight?” "They caJl it that, al hough\nbefore they met she had heard that\nhe was wealthy and he had been told\nshe was an heiress.”\nDaily Thought.\nThe man that loves and laughs must\nsure do well. —Pope.\nDon’t jump on the “water wagon” too\nhard, for you might break it; but vou\nwant to jump as hard you as can on to\nthe bargains you can get at the Central\nTrading Cos.\n50 POUNDS BY\nPARCELS POST\nLimited To the First and Second\nZones and Ruin Now\nIn Fores\nOn ahd after January 1, 11)14, tlie\nlimit of weight of parcels of fourth-class\nmail for delivery within the first aud\nsecond zones shall be increased frortf 20\nto 50 pounes, aud in Die third, fourth,\nfifth, sixth, seventh and eighth zones\nfrom 11 to 20 pounds.\nThe rate ou parcels exceeding four\nounces in weight in the local and first\nand second zones snail be as follows:\nLocal —Five cents for the first pound\nand one cent for eacli additional two\npounds or fraction thereof.\nFirst Zone —Five cents for Dio first\npound and one cent per pound for each\nadditional pound or fraction thereof.\nSecond Zone Same rales as first zone.\nThird Zone —Six cents for the first\npound and two cents for each additional\npound or fraction thereof.\nFourth Zone—Seven cents for the first\npound and four cents for each additional\npound or fraction thereof.\nFifth Zone —Eight cents for the first\npound and six cents for each additional\npound or fraction thereof.\nSixth Zone—Nine cents for the first\npound and eight cents for each addition\nal pound or fraction thereof.\nSeventh Zone —Eleven cents for the\nfirst pound and ten cents for each addi\ntional pound or fraction thereof.\nEighth Zone —Twelve cents for the first\npound and twelve cents tor each addi\ntional pound or fraction thereof.\nAT THE CHUKCHES\nFirst Church of Christ, Scientist —\nServices held Sunday at 10:30 a.\nm.„ Subject, ‘ God.”\nTestimonial meeting Wednesday\nevening at 8 a’clock. All are cordially\ninvited to these meetings. Sunday\nschool immediately following morning\nservice. Reading room, Cor, Fifth and\nSpring streets, open every afternoon\nexcept Sunday from 2:30 until 4:30\no’clock.\nSt, John’s Lutheran church —Sunday\nschool at 9 a. m.; services at 10 a. m.;\nEnglish services every second and last\nSunday in the month at 7:30 p. m.\nSt. Mark’s Lutheran church—Sunday\nschool at 9 a. m.; German services at 10\na. m. English services the first and\nthird Sunday of Die month at 7:30 p. m.\nMoravian church—Sunday school at\n9:15 a. m.; German preaching service at\n10:30 a. m.;Y. P. S. C. E. at 6:30 p. m.;\n7:30 p. m. evening services.\nGerman Baptist church—Sunday school\nat 9:15 a. m.; preaching services at 10:30\na. m.; young peoples’ meeting at 6:30 p.\nin.; evening services at 7:30 p. m.\nSt. Paul’s church —Holy communion\nat Ba, in.; Sunday school at 9:30 a. m.;\nmorning prayer at 10:30 a. in.; evening\nprayer at 4:30 p. m.\nSt. Luke’s Evangelical Lutheran\nchurch—Preaching services at 10 a. m.\nand 7:30 p. in,; Sunday school at 2 p. m.\nSt. Henry’s Catholic church —Low\nmass at 8:00 a. m.; high mass at 10 a. m.;\nSunday school and vespers at 3:30 p. m.\nSt Bernard’s Catholic church—Low\nmass 8 a. m.; high mass 10:30 a. ra.\nCongregational Church—Sunday 11 A.\nM. Special Music. Sermon ‘‘Commu\nion”. At 6:30 p. in., C. E. Leader, Rev.\nN. Carter Danlell. Topic, John 3 16.\nA Busy Force\nThe force in the central telephone\noffice answer calls from 940 phones in\nthe city and 560 on rural lines, so be\npatient when you call up the central\noffice and do not receive a reply ins^anter.\nStevenson on Life.\nWe are not meant to be good in this\nworld, but to try to be, and fail, and\nkeep on trying; and when we get a\ncake, to say, ‘‘Thank God!” and when\nwe get a buffet, to say, “Just so: well\n¥t!” —Stevenson.\nCOMING”TO\nWatertown, Wisconsin\nUNHID DOCTORS SPECIALIST\nWILL BE AT THE\nCOMMERCIAL HOTEL\nSaturday, January 17\nONE DAY ONLY\nHours 10 a. m. to 8 p. m.\nRemarkable Success of these Talented\nPhysicians in the Treatment\nof Chronic Diseases\nOffer Their Services\nFree of Charge\nThe United Doctors, licensed bv the\nState of Wisconsin, are experts in the\ntreatment of diseases of the blood, liver,\nstomach, intestines, skin, nerves, heart,\nspleen, kidneys or bladder, diabetes, bed\nwetting, rheumatism, sciatica, tape\nworm, leg ulcers, appendicitis gall\nstones, goitre, piles, etc., without opera\ntion, and are too well known in this lo\ncality to need further mention. Labora\ntories, Milwaukee, Wisconsin. Call and\nsee them.\nWATERTOWN. JtiTERSON COUNTY. WIS., JANUARY 2. 1914-\nMeal Inspection\nThe United Stales government pro\nvides for inspection of all meat picking\nplants which are engaged in interstate\nand foreign commerce. The, methods\nemployed in large plants are exceedingly\ninteresting. First, an inspection is made\nof all live animals and "suspects” arc\nculled for especially careful observation\nand regulated handling. After slaugh\nter, each nrocess in the further prepara\ntion of the carcass for the market, is\ncarefully watched The inspectors be\ncome highly skilled in the detection of\nevidences of diseased tissue which passes\nunder their eyes and hands.\nAs in the case of the first live Inspec\ntion upon the first suspicion of disease,\nan indelible brand sir-pends further prep\naration of the meat. The carcass is then\nshipped to a special examining room for\nfurther study and final disposition. By\nthis means, to reach the consumer the\nbody of a diseased animal would have to\npass the marvelously keen observation of\na number of highly skilled inspectors.\nThe diseases most often found are\ntuberculosis and actinomycosis in cattle;\ntuberculosis, hog cholera and various\nblood and organic diseases in swine.\nSome states have provided for inspec\ntion of abattoirs not under federal juris\ndiction. Wisconsin has made no such\nprovision. Dealers are sometimes sus\npected of offering for sale to inspected\npacking houses, only those animals which\nare presumably healthy. If this be so,\nmeat from uninspected slaughter houses\nis apt to be considerably below the nor\nmal average as concerns freedom from\ndisease.\nIn addition to the detection of diseased\nmeat, the inspectors maintain a close\nsnr yell lance over the general cleanliness\nof the plant. If the packers ever resent\ned the rigid demands of the government,\nno such resentment is now manifest.\nUndoubtedly, they recognize the govern\nment stamp of approval to he of distinct\ncommercial value.\nWonderful Cough Remedy\nDr. King’s New Discovery is known\neverywhere as the remedy which will\nsuwily stop a cough or*culd. D. P. Law\nson of Kidson, Tenn., writes: "Dr. King’s\nNew Discovery is the most wonderful\ncough and throat and lung medicine 1\never sold in my store. It can’t be beat.\nIt sells without any trouble at all. It\nneeds no guarantee.” This is true, be\ncause Dr. King’s New Discovery will re\nlieve the most obstinate of coughs and\ncolds. Lung troubles quickly helped by\nits use. You should keep a bottle in the\nhouse at all times for all the members\nof the family. 50c. and 11.00, All Drng\ngises or by mail 11. E. BUCKLEN & CO.\nPHILADELPHIA or ST. LOUIS.-Ad.\nRogers May Be Candidate\nIt is intimated, that Judge Charles B.\nRogers of Fort Atkinson, may seek the\ndemocratic congressional nomination in\nthis, the second district. Judge Rogers\nis a mighty good man and would make\nan ideal congressman, lie will have to\ncompete with a strong opponent in Hon.\nM. J. Burke who now holds the office.\nBig Story I\nbe It\nTussian I\n1870 J\nlhat is what we have\nto announce in the new\nserial we will begin short\nly. It’s a story by Robert\nW. Chambers, that mas\nter of romantic fiction,\n|" The Maids 1\n| Paradise j\nThe scenes are laid in\nand around Paradise, an\nidyllic French village,\nand in the midst of bat\ntles. An adventurous\nAmeri can who has joined\nthe French Imperial\nMilitary police, falls\nheadlong in love with a\nyoung French countess\nwho has innocently in\nvolved herself in plots\nin her desire to help\nher fellow men.\nYou’ll Find It a\n- Vivid and Ex\nciting Love Story\nIxonla.\n[Too Into for la*t week. |\nMr*. Hughes, Racine spent h few days\nlast week with her sister. Mrs. Richard\nPritchard, Sr.\nMiss Ruth Humphrey spent Thursday\nwith relatives at Waukesha.\nMrs, 0. H. Wills was a business visitor\nat Milwaukee one day last week.\nMiss Dorothy Jones, Milwaukee, is\nvisiting her grandmother, Mrs. Liza\nDavis.\nRichard Mulry, Pierce Cos., is visiting\nrelatives here.\nKathryn Moran. Detroit, Mich., is\nspending the holidays with her parents\nhere.\nGladys Davis. Monterey, is spending\nthe week with relatives here.\nMiss ErmaScheuerker returned Thurs\nday to Milwaukee after visiting several\ndays with Miss Ruth Humphrey.\nMiss Anna Moran, Milwaukee is spend\ning the holidays at her home here.\n#\nMiss Guvnor Humphrey spent Satur\nday at Oconomowoc.\nMrs. Robert Pritchard and son llaydon\nvisited one day last week at Waukesha.\nArthur Dahms, Oconomowoc, was seen\nin the burg recently.\nMrs. Jav Perry and son Seth were call\ners at the J. Ei Humphrey home Tues\nday.\nWm. J. Jones, Sparta, is visiting at (\nthe Lewis homo.\nMany from here attended the Christ\nmas tree at Piporsville.\nThe Misses Humphrey of Waukesha\nwere visitors here the past week.\nHoward Reynolds of Ashippon was a\nbusiness visitor here Tuesday.\nJohn Marlow is having great success\nselling the Ford automobile.\nWill Rhoda shipped a Holstein bull\nfrom the station Tuesday. The animal\nwas a beauty and is a son of the great\nCanary Paul, and was purchased by\nparties at Fall River,\nA good many of our young folks\nwatched the old year out.\nMiss Juliana Hartman, Oconomowoc,\nspent Christmas at the Neuman home.\nMr. and Mrs. Harry Druse, Racine,\nspent several days last week with Mr.\nand Mrs. D. H. McCall.\nEdward Evans and son Rowland of\nWales spent Christmas with his parents\nhere.\nWilliam Griffith, Bangor, is visiting\nat the Lewis home.\nMrs. D. A. Jones of Milwaukee spent\nthe holidays with Iter brother, H. E.\nPugh.\nMr. and Mrs. J. A. Ours are visiting\nrelatives at Stevens Point.\nMrs. Wm. Humphrey visited at Ocono\nmowoc Thursday.\nMrs. R. P. Lewis and daughter Inez\nspent the past week with relatives at(\nChicago.\nMax Boh I of Milvvaukees is visiting at\nthe C. Degnor home.\nDiive Evans, Wales, spent Thursday at\nthe home of his father, Hugh Evans.\nMrs. John Gibson and sons Davis and\nDonald of Watertown visited Sunday\nwith her mother, Mrs. Liza Davis.\nHugh Evans, Chicago, spent the holi\ndays with his parents here.\nMiss Edna Davis was a business visitor\nat Oconomowoc Monday.\nMrs. Arthur Seager and children of\nHartland are spending the week with\nher mother, Mrs. Liza Davis.\nGladys Davis returned to Monterey\nMonday after visiting the past week\nwith relatives here.\nJennie Jones and brother, Wm. Jones,\nof Sparta visited Monday with E. L.\nPngh and family at Piporsville.\nAlice Humphrey is on the sick list.\nMr. and Mrs. Wm. Lewis entertained\nabout twenty of their relatives at a\nturkey supper on Christmas.\nPipersvllie.\nThe Misses Laura and Harriet Hum\nphrey of Waukesha arc visiting friends\nin this vicinity.\nChristmas programs were given in\nboth the German and the Eng\'ish\nchurches and were well attended.\nClark Perry is spending the winter\nwith his uncle in Illinois.\nLillie and Viola Kohli of Watertown\nare spending a few days with their\ngrandparents Mr. and Mrs. Fred Hol\nla tz.\nMr. and Mrs. John Lounsbury return\ned to their home at Sherry Wis., after\nspending several weeks with H. D.\nLounsbury and family.\nLillian Goetch of Oconomowoc spout\nChristmas with her parents Mr. and Mrs.\nE. J. Goetch.\nGrace Peiry is spending the In>li \'avs\nwith friends in Chicago.\nMr. and Mrs. Robert Schroeder and\nfamily spent Christmas with their\ndaughter Mrs. Chaa. Vergenzand family.\nMiss Mary Lounsbury returned home\nSunday after a few days visit in Milwau\nkee.\nCase Dismissed\nThe case of the Kenyon Printing &\nManufacturing Company vs. the Jahnke\nCreamery Cos., on appeal was dismissed\non motion of the defendants, who had\nappealed the case.\nCLUB BANQUET\nGRIDIRON AFFAIR\nTwilight Club Annual Feast iWell\nAttended Monday\nNight\nThe third annual banquet of the Twi\nlight club was a very successful affair\nand was well attended. The table was\nprettily decorated and the eight course\ndinner was all that could be wished for.\nA four piece orchestra under the leader\nship of Frank Bramcr furnished most\nexcellent music.\nGordon K. Bacon was a most capable\ntoastmaster and the following toasts\nwere given.\nToastmaster, Gordon E .Bacon. News\nV. P. Kanb. A,True Story, C. A. Kadlug\nThe Ins and Outs of the Lumber Busi\nness, H. K. Boeger. Sparks From the\nVillage Blacksmith, G. 11. Lehrkind,\nInfluence of the Twilight Club on our\nCivic Life, W. 11. Woodard. The Joys\nand Sorrows of a Minstrel, Otto V.\nKnavik. What\'s the Matter with W ater\ntown?, Fred. B. Hollenbeck, What a\nDifference a Few Hours Make, S. F.\nKberle. i Was a Stranger and Ye Took\nMe In, F. A. Green. Trails and Tribu\nlations of a City Attorney, Gustav Buch\nhelt\nV. P. Kanb closed bis toast by read\ning advance copy in which ho “took a\nshot’’ at many local business and profes\nsional men as did several other speakers.\nOn motion president Parka appointed a\ncommittee to act with the advancement\nassociation and Watertown Business\nMen\'s ossociation in getting more fac\ntories here. The value of an organiza\ntion like the Twilight club was brought\nout by several speakers and all left at a\nlate hour with the feeling that the club\nhud a real mission to fulfill in this city.\n{THE DEATH ROLL I\nA sad doatli is that of Mr. Charles\nSohuonko which occurred Friday night\nat ids home, 1007 Western Avenue, after\nan illness of tuberculosis from which lie\nsuffered a considerable length of time.\nMr. Schuenke held the position of sec\ntion formau on the Milwaukee road until\nlast July when ho wrts Obliged to quite\nas his health would not permit him to\nwork longer. The deceased was born In\nGermany coming to America in 1888,\nmaking his home in Watertown, lie\nwas well liked and respected by ;i large\nnumber of friends and relatives and will\nbe missed by them. Surviving are the\nwidow, one daughter, Miss Lydia, and\ntwo sons,Edwin and Carl, and the parents\nMr. and Mrs- August Schuenke. The\nfollowing sisters and brothers also sur\nvive: Mrs. Qus. Brumaini, Miss Ida\nSchuenke, Janesville; Mrs. August Drne\nger, Farmington; Miss Anna Schuenke,\nMessrs. Albert, Robert, Henry and Arthur\nSchuenke, Johnson Creek. The funeral\nservices were held Wednesday afternoon\nat 2 o’clock at the Immanuel church.\nThe many friends of Mr. Harold Burke\nwill be sorry to learn of his death which\noccurred at the family h0m0,209 W arren\nstreet, Sunday at noon. The deceased\nwas the youngest son of Mr. and Mrs.\nPatrick T. Burke and was born October, 1,\n1883, on a farm west of the city. Mr.\nBurke resided in Minneapolis for the\npast fourteen years, coming home a short\ntime ago ill with pneumonia, which\ncaused his death. The funeral took\nplace on Tuesday morning with services\nin St. Bernard’s church at 9;fto o’clock.\nHo is survived by his parents, three\nsisters and four brothers: Mrs. J. D.\nCombs, Milwaukee; Mrs. W. J. McGraw.,\nKscanaba, Mich.; Mrs. Christopher\nCoogao, this city; Edward Burke, Milwa\nkee; Joseph Burke, Spokane, Wash.;\nGeorge Burke, Minneapolis; Henry, this\ncity.\nMrs. John T. Kleinsteubor of Route 4\ndied Monday afternoon after a few days’-\nillness, chronic heart trouble being the\ncause of death. Mrs. Kleinsteubor was\nbarn in Germany October 4, 1844. She\ncame hero in 1866. Her husband, five\nsons, one daughter, a brother and sister\nand eleven grandchildren survive. The\nsons are George and Herman Kleinsteub\nber, Waterloo, Theodore, town of Water\ntown, Henry, Farmington, Edwin, at\nhome. The daughter is Mrs. Frank\nPolenskl. town iff Watertown. The Fu\nneral took place Thursday.\nThe Dcs Moines, lowa, Capital of last\nweek stated that Mr. John F. Holland,\naged 55 years, died in that city after an\nillness of fifteen months. Mr, Holland\nwas born in Watertown. May 9, 1858. He\nwas a printer by trade. Me is survived\nby bis wife and three children.\nHint for Young Musicians.\nBegin your practice with enthus\niasm. Don’t put your practice off be\ncause you have “plenty of time.” You\ncannot know your piece too well, but\nremember that one hour of steady,\nconcentrated practice is better than\nfour hours of careless strumming at\nthe piece.\nCarrying It to Excess.\nQuizzo —“I understand that your\nfriend Bronson is a vegetarian."\nQuizzed —‘Yes. He has such pro\nnounced views on the subject that h\nmarried a grass widow.”\nTHE 1 tI )ER\npublished . So\'* \' \\ out on the\nSnbscrip\n*t *t THY IT.\nVOLUME LIV. NUMBER 21\nPREVENTION FOR\nWHITE PLAGUE\nMedical Authority Tolls How To\nPrevent and Advises Patients\nShowing Symptoms\n“Tuberculosis has many characteristics\niji common with those of noxious weeds."\nI pon this theory the Wisconsin Anti-\nTuberculosis association has formulated\nits programme, according to Dr. 11. K.\nDoarholt of Milwaukee, director of the\nhealth bureau of the University of Wis\nconsin Extension division, and secretary\nof the organization.\n‘‘The must certain means of prevent\ning the spread of a weed pest is to gather\ncarefully and burn the seed," continued\nDoctor Dowrholt. Likewise, the most\ncertain way of preventing the spread of\nconsumption is to burn the seed.\n“Germs of consuption are contained in\nthe expectorations of patients suffering\nfrom the disease. Therefore if all ex\npectorations were carefully gathered\nin special cups, napkins and papers\nand burned before any of the seed\nwore scattered, tuberculosis would\nbecome historical. Karly knowledge at\nthe stage when the disease is most easily\ncured requires skillful diagnosis and\npatients should consult a skillful physi\ncian on first suspicion of infection, in\ndividuals who have been subjected to\nprolonged contact should have periodic\nexaminations extending over a number\nof years.\n“Providing sanitarium cure for ad\nvanced consumptives in a great measure\ncuts off the sources of infection. But a\nsufllcient number of sanatorium beds\nCan not be secured In a month or a year.\nAnd some patients may never consent to\ngo to a sanatorium. lienee we must pro\nvide as good protection as is possible\nfrom consumptives in the home. We can\naccomplish this by the visiting nurse\nand a wider knowledge of the funda\nmental facts in connection with the\nnature, cure, and prevention of the\ndisease."\nHog Cholera Don’ts\nThe following precautions are recom\nmended for keeping hog cholera from\nan uninfected drove by H T. Galloway,\nAsst. Sec. of Agriculture.\n1. Do not locate hog lots near a pul lie\nhighway, a railroad or n stream. The\ngerm of hog cholera may bo carried along\nany one of these avenues.\n2. Do not allow strangers or neighbors\nto enter your hog lots, and do not go in\nto your neighbors’ lots. If Is is absolute\nly necessary to pass from one hog lot in\nto another, lirst clean your shoes care\nfully and then wash them with a 21 per\ncent solution of the compound solution\nof crosol (U. S. P.)\n3. Do not put now slock, either hogs\nor cuttle, in lots with a herd already on\nthe farm. Newly purchased hogs should\nbe put in separate enclosures well sepa\nrated from the herd on the farm and\nkept under observation for three weeks,\nbecause practically all stock cars, un\nloading chutes, and pens are infected\nwith hog cholera, and hogs shipped by\nrail are therefore apt to contract hog\ncholera.\n4. Hogs sent to fairs should be quar\nantined for at least three weeks after\nthey return to the farm.\n5. If hog cholera breaks out on a\nfarm, separate the sick from the appar\nently healthy animals, and burn all car\ncasses of death. Do not leave* them mi\nburned, or this will endanger all other\nfarmers in the neighborhood.\n<5. If after the observance of all possi\nble precautions hog cholera appears on\nyour farm, notify the State veterinarian,\nor State Agricultural college, and secure\nserum for the treatment of those not\naffected. The early application of tills\nserum Is essential.\nSome of these precautions may seem\nunnecessary and troublesome, but they\ndo not cost much, and they are very\nvaluable preventive measures.\nThe Tax Kate\nThe tax rate in this city for the cur\nrent year is $16,00 per $1,0)0 in the Jef\nferson county wards and $18.13 in the\nDodge county wards* If the assesnirnt\nIs 90 per cent of the actual value, the\nrate is excessive: if the asnessed valua\ntion is moderate then the rate Is reason\nable —on the whole however Watertown\nhas no cause for complaint, below we\ngive the tax rate per 11,000 in some of\nthe other cities of the state:\nAn tigo $29.00, Bar a boo $23, 01, Beaver\nDarn s23.2o, Hoscobel S2B 00, Beloit $17.4b,\nBurlington $24,07, Edgerton 118.94, Kan\nClaire $23.50, Jefferson SIB.BO, Madison\n$16.50, Monroe $17.00, Oshkosh sl7 50,\nPltttteville 117.23, Portage $20.00, Janes\nville $15.00, Milwaukee 118.00, La Crosse\n$25,00, Richland Center $29.40, Toinah\n$20.12, Btonghton $18.70, Whitewater\n$25.90, W aterloo $17.94, Waukesha $19.50,\nLake Geneva $23.81,\nAn Ideal Woman’s Laxative\nWho wants to take salts, or castor oil,\nwhen there is nothing better than Dr.\nKing’s New Life Pills for all bowel\ntroubles. They act gently and naturally\non the stomach and liver, stimulate and\nregulate your bowels and tone up the\nentire system. Price, 25c. At all Drug\ngists. H. E. BUCKLKN & CO. PHILA\nDELPHIA or ST. LOUIS.', 'batch': 'whi_elizabeth_ver01', 'title_normal': 'watertown weekly leader.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85040721/1914-01-02/ed-1/seq-1.json', 'place': ['Wisconsin--Dodge--Watertown', 'Wisconsin--Jefferson--Watertown'], 'page': ''}, {'sequence': 1, 'county': ['La Crosse'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn86086186/1914-01-02/ed-1/seq-1/', 'subject': ['La Crosse (Wis.)--Newspapers.', 'Wisconsin--La Crosse.--fast--(OCoLC)fst01207161'], 'city': ['La Crosse'], 'date': '19140102', 'title': 'Nord stern. [volume]', 'end_year': 1921, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Available on microfilm from The State Historical Society of Wisconsin.', 'Description based on: Jahrg. 1, no. 2 (6 Dec. 1856).', 'In German with some columns in English.', 'Supplements accompany some issues.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'La Crosse, Wis.', 'start_year': 1856, 'edition_label': '', 'ocr_ger': 'Der „Nordster ist\ndie einzige repräsentative\ndeutsche Zeitung von ia\nLrosse\n57. lalirqang.\nSchluckt AnklM.\nONoycr beschuldigt eine <Bruben\ndircktor an seiner Entführung\nbetheiligt gewesen zu sein.\nCalumet, Mich, 30. Tec.\nDie Entführung des Präsidenten der\nWestern Federation oi Miners. Charles\nH. Mcyer, aus Calumet. Mich., war\nauch am Montag noch nichl im gering\nsten aufgeklärt. Die Anwälte der Union\nhatten alle Hände voll aus dem Coro\nnerslnquest in Sachen des Unglücks in\nItalien Hall zu lhun. bei welchem 72\nPersonen umgekommen und. und die\nCountybeamien, welche die Angelegen\nheit ebenfalls untersuchen, gaben nichts\nbekannt. Das Hauptinleresse konze\ntrirlc sich in Calumet um die Behaup\ntung, daß I. MacNaughton, Generat\nbetriebsleiler der Calumet L Hecta\nMining Co., mit der Entführung Mou\ners zu thun habe.\nTer Coronerslnquest.\nIn dem vom Coroner über das Un\nglück in Italien Hall eingeleiteten In\nquest sagten am Montag zweiundzwan\nzig Zeugen aus. daß der Mann, welcher\nden verhänqnißvollen Alarm abgab,\neinen weißen Knops, das Abzeichen dcr\nCilizens\' Alliance, getragen habe. Dies\nwurde von vielen anderen Zeugen be\nstritten. Alle Zeugen stimmten darin\nüberein, daß der Ruf „ \'euer!" zuerst\nvon einem Mann abgegeben und dann\nan verschiedenen Stellen in der Halle\nwiederholt wurde, worauf alles sofort\nnach den Ausgängen strömte.\nLeichenfeier-Film gestohlen.\nEin Film, welcher gestern von dem\nLeichenbegängniß in Calumet gemacht\nwurde, wurde dem Photographen aus\nseinem Hotelzimmer gestohlen. Der\ndi- Films enthaltende Rasten wurde\n"später auf der Straße mit verstreutem\nInhalt gesunden. Dir Streiter schie\nben auch diese Schandthat der Cttizens\'\nAlliance in die Schuhe, die dabei angeb\nlich den Zweck verfolgten, Propaganda\nzugunsten der Strecker zu unterdrücken.\nDie Polizei hat noch keine Spur von\ndem Thäter.\nBahnstreik beigelegt.\nSt. Louis, Mo., 31. Dec.\nDer Streik der Telegraphisten der\nSt. Louis L San Franeisca-Bahn\nwurde Dienstag Nachmittag durch einen\nzwischen den Massenverwaltern der\nBahn und dem Beschwerdecomfte des\nVerbands der Bahntelegraphisten ab\ngeschlossenen Eompromiß abgewendet.\nFall ?)oimg vor Gericht.\nChicago, Jll., 31. Tec.\nTie Frage der Gesetzlichkeit der Aus\nstoßung von vier Mitgliedern aus dcr\nErziehungsbehörde von Chicago, Jll.,\ndamit Ella Flagg Uonng als Schul\nsuperintendentin wiedereingesetzt werden\nkönne, wird in den Gerichten entschiede\nwerden. Staatsanwalt Maclay Hohne\nerklärte m Dienstag, er werde ei>:-\nPetition unterzeichnen, in der um die\nErlaubniß ersucht wird, ein Ouo War\nranlo-Verfahren einleiten zu dürfen.\nUebrrraschendc geographische Ent\ndeckn ngcn.\nBerichte aus Südnigerien zeigen,\ndaß selbst unmittelbar an der Küste\nnoch überraschende topographischeEnt-\nLeckungen möglich sind. Leutnant\nHughes, der Führer der Regierungs\nlacht „Jry", fand in dem Netz von\nWasserstraßen, das sich von den Ni\ngermündungen zum Ealabar erstreckt,\neinen bisher völlig unbekannten\n„Creek" fKüstcnfluß mit Brackwas\nser). der sich als an- eigentliche Mün-\nInng des Bonnvflusies erwies. Zu\ngleich wurde an dev Prallseile einer\nWindung aus dreiv-ertel Meile etwa\n46 Fuß, Hobes Steilufer mit festem\nBoden und davor Wasiertiefen von\n76 Fuß festgestellt. Die neugefunde\nve Stelle wurde „Port Haricourt"\ngetauft; sie ist wahrscheinlich von gro\nßer wirtschaftlicher Bedeutung, da sie\ndie östliche Nigeriabahn ermöglicht,\ndie die Kohl-nselder von Udi und\n1,,e reichen Zinnlager des Bantschi-\nPlateaus erschließen soll.\nAehnlich überraschend ist die Auf\nfindung einer bis ;eht unbekannten\n\'D-rvreifion bei den topographischen\nAufnahmen, die Srr William Wil-\nIrerks in dem tonst rech: gut durch\n*orschien Mefopotamien zwecks .Klä\nrung von Bewäncriingssragen leitete\nRack, der Karte liegt oie Senke et\nwa 110 Kilometer wcstnorbwestUch von\nVaadad: ft" Ilmriß tonnte nur im\nOsten genauer ausgenommen werden,\nda feindliche Arabec\'iämme eine wei\nlere Karlieruna verhinderten. Hier\nim Osten geb: die „Hohtform" etwa\n6 Meie: unter den Meeresspiegel\nenthält jedoch an ihrem Boden einen\nSalzsee, dessen Tieft vorläufig unbe\nkannt ist. Eine so interessant- aeo\naraobitche Entdeckung unweit der\n-inst berühmtesten Stadt des Orients\ndes durch Harun a! Raschid und die\nErzählungen der „Tausendeinenack.t"\nbekannten Kaliftnsstzes Bagdad, über\nrascht in der Tat, kenn die Wunde\'\nund alles Neue in: Zweistromlan\nVorderassens \'u-cht man unter der\nErde und den Sandbüartn, nicht oben\nrn der einförmigen Landschaft.\nt Herageqedt von § 1\n< Rordsterv Lstociatioa. Lr Lrofse.\nRikscncrnkk.\nDer Nstertk wird vom Ackcrbaudc\npartemcnt auf lO ONilliar\nden grschätzt.\nWashington, D. C.. 30. Der.\nEine Ernte im Werth von 10 Milli\narden Dollars, die den Farmern 5 Mil\nliarden einbringen wird, ist das Resul\ntat der Arbeit von sechs Millionen Far\nmern in den Ver. Staaten im Jahre\n1913. trotz der Dürre und anderer hin\ndernden Umstände. Nach dem am\nMontag vom Ackerbaudcpartement in\nWashington veröffentlichten Bericht mar\ndas Jahr das erfolgreichste in der Ge\nschichte des Landes. Genau betragt der\nWerth der Ernte 6,100.000,000, wo\nvon K 3,650,000,000 aus Vieh entfallen.\nDer Werth ist doppelt so groß wie der\njenige der Ernte vom Jahre 1800; um\nmehr als eine Milliarde größer als im\nJahre 1009 und bedeutend größer als\nin 1912. Von der Gesanimlernle wird\nschätzungsweise 52 und von dem Vieh\n20 Prozent aus den Farmen selbst ver\nbleiben, sodaß das Bareinkommen der\nFarmer 55.847,000,000 beträgt.\nTrotzdem das Jahr 1913 ein Regen,\njähr war. und trotzdem die Zahl der\'\nFarmen sich seit 1910 um 11 Prozent\naus etwa 6,600,000 erbotn hat, ist nach\nAnsicht des AckerbaudevarlemenlS nicht\nzu erwarten, daß der Preis der Lebens\nmittel heruntergeht. Diese, aus den\nersten Bück merkwürdig erscheinende\nThatsache wird daraus zurückgeführt,\ndaß einmal der Verdienst des Zwischen\nhandels größer geworden ist, und daß\nzweitens die Produktionskosten des Far\nmers sich erhöht haben.\nDas stärkere Geschlecht versagte\nPortland, Ore.. 31. Tec.\nGouverneur West bat seiner Privat\nsekretärin, Art. Fern Hobbs, ausge\ntragen, unverzüglich nach Copperfield,\neiner in Baker County gelegenen Mi\nnkn-Nirderlaffung. zu reisen und\nsämmtliche Wirthschaften und Spirlhöl\nlen zu schließen, die dort ungesetzlich\nbetrieben werden. Der Gouverneur\nerklärte am Dienstag in Portland.\nOre., er habe bereits dem Sheriff und\ndem Distriktsanwalt ausgetragen, die\nWirthschaften zu schließen, doch hätten\ndiese keinen Finger gerührt.\nFrl. Hobbs wird von einem Spcz\'al\nbramten der SlaatSregierung begleitet\nsein.\nKönigin-Wittwe gestorben.\nStockholm, Schweden, 31. Tec.\nDie verwillwete Königin Sophie von\nSchweden, Mutter des regierenden Kö\nnigs Gustav, starb am Dienstag ,n\nStockholm im 78. Lebensjahr; eine vor\neinigen Tagen eingetretene Lungenent\nzündung führte den Tod der Königin\nherbei.\nNeue Mont karte.\nDer Göttinger Astronom F. Hayn\nhat so-eben eine umfangreiche Arbei:\nzum Abschluß gebracht, und deren\nErgebnis soll demnächst in Gestalt\neiner Mondtarte veröffentlicht wer\nden. Es handelt sich hierbei um eine\nmöglichst g-nmue Karte der Randge\nbirge des Mondes, die zur genauen\nBahnbestimmung des Mondes von\neinschneidender Bedeutung ist und\nneues Marerial zur Theorie der\nMondbewcaung beibringt. Sonne\nund Planeten erscheinen nämlich, we\ngen ihrer größeren Entfernung, als\nKreise oder Ellipsen, und so ist ihre\ngenaue Ortsbestimmung nicht beson\nders schwierig; der Mond dagegen\nerscheint nicht kreis- oder ellipsen\nförmig begrenzt, und daher ließ sich\nbisher sein Mittelpunkt oder Schwer\nPunkt nickt genau genug bestimmen.\nMan sucht: bisher diesem Uebelstande\ndurch E\'i\'füvrung eines „Fixpunttes"\nabzuhelfen, dessen selenographEche\nKoordinaten bestimmt wurden. Hayn\nbat nun den aussichtsreicheren Weg\neingeschlagen, den Mondmittelvunft\nbesser zu definieren und dazu eine\nmöglichst genaue Karte des Mond\nrandes anzustellen und alle Beobach\ntungen aus möglichst viele Punkte des\nUmfanges -u bestehen.\nEs stur cm Ganzen 200 Mond\nbitder hnaestellt und 10,000 Punkte\nmit ihren\' skleno-graphischen Koordi\nnaten festgelegt. Die Mondtarte\nHavns ist an\' plwtceraphi\'chem We\nge hergestellt und turch Messungen\nvon Sier, bedeckn:,:en verbessert Aut\nden dazu ureigen Platten um For\nmate 2-st Zoll! wurden immer je\nzwei Monvb\'ldcr aufgenommen: fer\nner sind nie Vlatten durch aufkopierte\nSterntilde: in bekanntem Positivus\nwinket oick.-ster: worden. Endlich\nwurde nahe dem Vüdzentrum in\nsehr seine M\'rke angebracht, von de\'\naus eine groß? Zahl von Mondradien\ngemessen wurde. Aus solch Weise\nerhielt >rmn aurck Ausgleichung der\nRadien den Ert des wahren Mond\nZentrums iowie die Abweichungen des\nMondes van der Lreisform. Diele\nneue Mordkaree bedeutet einen we\nsenitichen Dcrt\'chr\'st für die Assro\nmeine un> lste Meckanik des H\':m\nweis und b-e\'> n\'.b\'n Aufgaben, eie ruft\n-dem Mond? zu tun beben. Sie er\nmcglieht er-, de Ortsbestimmungen\nunseres ft- n-\'chng:" Trabanten rack\n\'Richtung und Entfernung erbeblick\ngenauer und von Feh\nltiu wesentlich freier auszusührra.\nMM^Micsk.\nDeutschland verweigert den Der.\nStaaten die Behandlung als eine\n..meistbegünstiaste" Nation.\nBerlin. 30. Dec.\nDie deutsche Reichsregierung lehnte\nam Montag das Ersuchen der Ver.\nSiacuen ad, die für aiiierlkcinischen\nStahl. Gummi. Schuhe und eimge an\ndeie \'Artikel die Behandlung als „meist\nbegünstigste" Nation beanspruchen; in\ndem jetzt bekannt gegebenen Bescheid\nMiro indeß angedeutet, daß Deutschland\ndeirik sei. über die Angelegenheit wei\nter zu verhandeln, wenn die Ver.\nStaaten zu entsprechenden Gegenleistun\ngen willens seien. Deutschland ist nur\nverschiedenen Bestimmungen unzufne\nden, namentlich mit der Forderung, daß\nJmporleure unter Umständen gezwun\ngen werden sollen, ihre Geschäftsbücher\nvorzulegen. Die deutschen Geschäfts\nkreise sind der Ansicht, daß ohne Coin\nprvmiß irgend welcher Art die Han\ndelsbeziehungen zwischen Deutschland\nund den Ver. Staaten äußerst schwierig\nsein würden.\nP\'erkivürdigeS Nnturbild.\nTchmaroncr, die idrericits von Tchma\nrolccrn licimgesucht werden.\nDas alte Sprichwort: „Wie du\nmir, so ich dir", das den Stand\npunkt einer gesunden Realpolitik, ei\nner sich seiner Haut wehrenden frisch\nfröhUchen Selbstsucht vertritt, hat\nnicht nur Geltung im Leben des\nVolkes und im Wandel der Mensch\nheit. sondern überhaupt tm Bereiche\nalles Lebenden. Und so ist es denn\nauch wohl als ein Akt ausgleichen\nder Gerechtigkeit aufzufassen, daß die\nLebewesen, die, statt sich wie die an\ndern auf ehrliche Weise durchs Le\nben zu schlagen, die bequemeren Da\nseinsbedingungen des Schmarotzer\ntums auszunutzen gelernt haben und\nvon den mühsam erworbenen Körper\nsästen anderer Wesen sich mäste,\nauch ihrerseits wieder, wenn auch\nwiderwillig, als Wirte aufzutreten\ngezwungen werden.\nDie Naturgeschichte kennt eine\nganze Reihe solcher Schmarotzer in\nSchmarotzern: zu ihnen gehört nach\nden Forschungen des Franzosen rw\nweran auch der Floh, der lustige\nSpringer, dem bekanntlich die größ\nte Kälte nichts anhaben kann. Der\nFamilie der Flöhe ist überhaupt in\nden letzten Jahren von der Forschung\nein außerordentliches Interesse ent\ngegengebracht worden, da man ver\nschiedene ihrer Angelürigen in dem\nbegründeten Verdacht hatte, daß sie\nbei der Uelertragung vcn allerlei an\nsteckenden Krankheiten ein? nicht ein\nwandfreie Nolle spielten. Auch der\nParasit, den Laweran im Hundefloh\nauffand, kann auf andere Tiere über\ntragen werden. Er stellt ein mi\nkroskopisch kleines Schräubchen vor,\ndas sich vom Darminhalt nährt, sich\nin ihni bewegt und entwickelt. Bringt\nman mit Hilfe einer Manipulation,\nzu der allerdings e\'was geschickte\nFinger gehören, den Darminhatt de-\nFlohs in eine schwache Kochsalzlö\nsung und spritzt diese weißen Mäu\nsen ein. so findet man die Spirillen\nbald in den Blutkörperchen der\nMäuse, wo sie wahrscheinlich ihre\nweitere Entwicklung durchmachen.\nDie Erscheinung, daß Schmarotzer\nwieder vcn anderen Schmarotzern\nheimgesucht werden, findet sich auch\nsonst. So werden gewisse Schlupf\nwespenlarven, die in Schmclterlings\nraupen leben, wieder von kleineren\nSchlupfwespen angestochen, obgleich\nsie dort allem Anschein nach vor\ntrefflich geschützt sind. Ja. es komm!\nder besondere Fall vor, daß das\nMännchen einer parasitisch lebenden\nTierart als Schmarotzer seines eben\nfalls an die parasitische Lebensweise\nangepaßten Weibchens auftritt. Die\nser immerhin seltene Fall von T-p\n-pelparasitismus findet sich bei ge\nwissen Rankenfußk\'-etssen. zu denen\nauch die Entenmuscheln gehören: das\nMänncken sucht schon als vollstän\ndig ausgerüstete Larve das Weibchen\nauf, verliert hier seine Beweglichkeit\nund seine Gliedmaßen vollkommen\nund lebt als Zwergmännchen weich\neingebettet in der Schal? des Weib\nchens und nährt sich, indem es die\nSäfte des Weibchens einfach mit\nder Körperbau! aussäugt: denn ihm\nfehlt später auch der Mund und\nder Darm vollständig.\nEin noch krasserer Fall von Pa\nrasitismus. bei dem allerdings da?\nWeibchen frei lebt, findet sich bei den\nzu den Sternwürmcrn gehörigen Bo>\nnellia des Mitlelmeeres; hier leben\ndie Männcken sogar im Fruchthalter\ndes Weibchens, zwischen den von\ndiesen beroorgebrachtrn Eiern, die\nvon ibnen befruchtet werden. Sic be\nstehen eigentlich nu: aus einem Hau\nsen von männlichen Fortoftanzungs\nprodutten, bewegen sich so zwischen\nden E-ern kriechend umher, daß man\nsie eine Zeitlang tür innqe Stern\nWürmer gehaltn hat, unv sind sc\nklein, daß erst mehr als Iss§ Mil\nlionen von ibnen zusammen so\nschwer find, wie ein einziges Weib\nchen. Man siebt, die N-:ur schlägt\nzum Zwecke der Erkaltung der Art\noft die wunderlichsten Weg: ein!\n2a Crosse, Wis., Freitag, deu I. Januar 1914.\nKind tibgercill.\nWan Wilson zum Worte.:-, über\nKloriko nach j?aß cLhrnüaii\nbefohlen.\nVera Cruz. Mex . :>: Pez.\nPräsident Wtlions persöni c: Ver\ntreter in Mexiko. John Lins , sich\nDienstag Abend in Vera Cru: Mex.,\nan Bord de- amerikanischen stckuterS\nChester, der ihn nach Paß E\'nistian,\nMiss , dringen wird, wo Herr ss\':d de,\nPräsidenten Bericht über seine Mission\nerstatten wird. Die Fahrt bis cur Küste\nvon Louisiana dürste kaum wehr als 2\'.\nStunden in Anspruch nehmen\nWie aus Paß Christian gemeldet\nwird, hat Präs. Wilson selb Herrn\nLind oufgesorderr, ihn in seinem Win\nlerausenihallSvrl auszusuchen\nKamps noch nicht abgebro\nchen.\nPresidio, Tex, 3.. Dee.\nTie Schlacht zwischen Swm inner\nGeneral Toribio Onrga steb nsen Re\nbellen und der nördlichen Division der\nmexikanischen Regierung-armn die um\nOjinaga, Mex , gegenüber vv Picsidio,\nTcx.. stark verschanzt ist. war noch nn\nvcUen Gange, als die Sonne am Diens\ntag untergegangen war. Ter Kamps\nHane ui diese Zeit deeeitS.\'K Stunden\ngedauert. Anscheinend sind cun beiden\nSeiten viele Todte und Verwundete.\nUeber die Grenze wurde ichl geschossen.\nHilfe für Obdachlose.\nChicago. Jll., 31 Der.\nUm für die immer mehr zunehmenden\nArbeitslosen in Chicago, die in Logier\nhäujern und aus den Polizeiwachen\nkeine Unterkunft mehr finden können,\nHitse zu schassen, beauftrag! A. A.\nMcLormick. der Vorsitzende der Counih-\nBehörde. am Dienstag Sherni Zimmer,\nden Obdachlosen da erste Siocku-e>k\nde Couniy-EebäudcS Dr die Nucht\neinzuräumen.\nDer Welfeuschatz.\nEine seltene Sammlung vo Kunst\nschälien und Altertümern.\nDer Welststschatz. her dem\nJahre 1900 im Asslosse bes Herzogs\nvcn Cnmberland in Gmiindrn de\nfand, soll jetzt auch nach Braun\nschweig, in die Rcsitcnz des neuen\nHerzogs, res einzigen Sohnes des\nHerzogs von Euinoermnö, überführt\nwerben. Der Herzog von Eumber\nland, der einzige Sein des letzten\nWelrenkonigs, zählt öckanntlich zu\nden reichsten deutschen Fürsten. Au\nßer seinem PrivLiv.\'cnwgen, das aus\nweit meac als bun. rl Millionen\nMark geschätzt wirs, ist der Herzog\nauch der Eigentümer :cs berühmien\nbv-elsenschatzes, eine Sec sellenueii\nSammlungen von KnnsUvtrien. so\nwie Atteriüinern von unschätzoareoa\nWerie. Nach den Ereignissen von\n\'866 kam der Wesskr. Satz, Ser von\nPreußen als Privalc:zciuuni des ege\nmaligen Hannsversche Königshauies\nancr-:nint worden war, nach Wien,\nuw belanntlich König Georg V. sei\nncn Wohnsitz genommen hat.e. Tec\nKönig üoeraniworreie e Sammlung\ndein Wiener Museum stir Kunst uno\nIndustrie, wo sie auch sfentlich aus\ngestellt war. Erst 1 >6 überführte\nman, aus Wunsch de- Herzogs von\nEumberland, den Westenschatz nach\nGmunden, und nun. n h sieben Jah\nren, soll er non dor:. voraussichtlich\nzu dauerndem Veröle nach Braun\nschweig tommen. Wo send der Zeit,\nwo der Welfcnschatz m Wien erpo\nnicrt war, hatten a: die Besucher\n--er Wiener Weltausstellung von 1873\nGelegenheit, die gross rtige Summ\nkung zu bewundern, mnn sie war in\nder\' Rotunde untergc cht worden.\nDie Ans-: \'e G Welfenschatzes\ngel)en bis au, die ,ss Heinrichs des\nLöwen, des Ahnher- des We\'Aenge\nschlechtes, zurück, der ährend seiner\nim Jahre 1172 un:e mmenen Pil\ngerfahrt ins heilig\' md sich zum\nBesuche d\'s Sultao- Konstaniino.\nHel aufbiAt, beim hieb von die\nsem eine Anzahl Pr tstücke byzan\ntinischer Konst zuin schenke erhielt\nDiese bildeten den rundstock der\nSammlungen. T-: -erzog vergrö\nßerte diese mit feine Kunstverständ\nnis und erhielt auck eschenke, beste\nhend aus tostbü\' Kirchengerat.\n\'cidenen Messzc-r-ö a usw. von\nEinen Un\'ertancn. \'s der Sck.!\':\n1097 in den fick oarischen \'\nsitz des Herzogs August über\nging, wurde er ft r Schloßkirche\nvan Hannover n: llr, die Aui\nsicht dem Abt b ssters Lo.um.\nMolanr-S. Lbertrc Während der\nFranzoien\'r\'.k\'e Ae der\nocr, wie man st- e ziemlich be\nwegte Gttchichtk \'sack England.\nioo man ihn vor Franzostn in.\nSicherheit bi. t.chdem die Ge\nfahr vorüber w hrte man ihn\nzurück naa. H\'.nr m das König\nltche Archiv. \' 869 verrraut.\'\nihn König : dem Welfen\ni iuseum an uns e ihn für das\nPublikum än Die kunff -\nund kulturh!\'!:- hervorragende\nSammlung -s 82 Gegen\nständen, darur m.den ftch meb\nrere kosic, re R nschrcine uns\nTragaltäre. 11 .\' e, 17 wertvolle\nMonstranzen so. ne Anzahl be\nsonders tniercn.: -rm- und Kops\nreliquien.\nJuni ciitllisjcil.\nIsm Dlordfall Schmidt stand das\nlssotum t>:2 für Schuld\nsprueff.\nNew Pcnk, :!I. Tec. -\nNack secksunddreißigstündlger Bc\nraihung veiichreie dce Geichmorenen.\nwelche über den ehemaligen Priester\nHans Schinidl von der Ll. Joscpds--\nKircde in New Park zu Geruch, saß.\nder angeklagt ist, seine Geliedie Anna\nAtiNiüUer eriiiordel zu habe, daß eine\nEinigung un\'iiözlüch sei. und wurden\ndaraus von Ruchier Foster cultasse.\nEs stellte sich heraus, daß da letzic\nVolum genau so war wie das erste. 1c\nfür schuldig und 2 für ist r schuldig:\ndie beiden letzteren stellten sich aui den\nStandpunkt, daß Schmidt irrsinnig\nwar. als er den Mord beging.\nDas Verbrechen, dessen Han\nSchmidt angeklagt ist. war eins der\nentsetzlichsten in der Berbrcchenschronik\nder Stadl \'New Park Ansang Sep\ntember wurde Theile einer Frauen\nleiche >m Hudson gesunden. Wenige\nTage spawr wurde Schmidt verhaftet\nund gestand. Anna Aumuller. mn der\ner zusammen gelebt haue, ermordet zn\nhaben, wie er sagte, aus „göttliches\nGeheiß". Der Prozeß begann am 8.\nDezember. Schnndl\'s Vaier uns\nSchwester käme aus Deuijchiand her\nüber. um das Arguiiieni der Beriheidi\ngung. daß Lchiiildl a erblichem Wahn\nsinn leide, zu bekräftigen.\nHiltNlis Loldatcn über die\nGrenze.\nPresidio. Tep., 30. Dee.\nHundert mexikanische Reglerungsjol\ndaien wurden Monmg Nackt aus der\namkrikc>istsck)en Seite, sechs Meilen un\nterhalb am Fluß gesunden. Major\nMcNainee ließ die Lerne sofort entwaff\nnen. brachte sie ach Presidio und zwang\nsie mit Gewalt, imeder über die Grenze\nnach Mexiko zu gehen. Mehrere von\nihnen waren verletzt. s\nMehrcreHundert weitere Regierutig\nsoldaten überschritten an rrnrr anderen\nStelle die Grenze, gingen jrdpch beim\nNahen amerlkanischrr Truppen wieder\nzurück.\nDie Regierung-truppen scheinest be\nreit im ersten Gefecht von den\nlen vollständig ausgerieben worden zu\nin.\nlikän.Pi,.\nTa Geheimnis des jepanischc Lchwe\nsc Wad cs.\nIm s/M\' ng.m w-llcn w>r den\nLcscr c.nwoi.eu in aas sonderbare\nGeh in nis des Ji:>ii: - Pu, d. h.\nder Art u! d W. , wie die Japaner\nihr SchwwjcWa. i chmen. In den\nThermalbädern < > Kasatsu kaun\n.man die badend: ...ppons um Wer\n!e scheu. Tec A des Bades\nwird mit der Tromlete v.rkiindigt.\nSofort stellen sich die Teilnehme\'\nmilitärisch in einer Ncile aus längs\ndem Uicr des heißen Teiches und\nmachen pch ans „Sü mgen des Was\n,\'crs". Sie bewussneu sich mit lan\ngen Brettern, i >?.. e.i deren einer\n>snde ins Wasser, hakten das andere\nmit Heiden Händen und drehen sie\ndann um ihre Längsachse hin und\nher. Sie gelangen damit schließlich\nzu einer solchen -Schnelligkeit, daß\nsie in der Minute neunzig solcher\nBewegungen machen. Die Badenden\nverwenden darauf viel Krast und\nentwickeln dabei viel Begeisterung\nund laute Fröhlichkeit. Schreie und\nSprünge begleiten das Geräusch der\nim Wasser gequirlten Bretter. DaS\nGanze erinnert etwas an die Tänze\nwilder Neger.\nAber wozu dies „Schlagen des\nWassers?" Um seine Temperatur aut\neinen gewissen Grad herabzumindern!\nIst das erreicht, werden die Patien\n:cn aufgefordert, mit einem kleinen\nTcnnengesäß Wasser auf den Schade,\nzu gießen. Diese Waschungen sino\nbestimmt, Kongestionen ,u verhindern\nand dauern ziemlich lange. Der\nGuß wird bis zu 1-/> , ja 2ssomcil\nwiederholt. Tann erst wird der\nBadende für würdig erachtet, sich ins\nWasser zu begeben. Aus Kommando\n-\'eben sie langsam hinein. Der Ba\ndemeister biii\'Mt eine Art von Kla\n-wgestmg an, der durch Intervalle von\nje einer Minute in. vice Verse gctei!\'\nist. Das Bad dauert drei Gesänge\nzu vier Miauten. Jeder Ver wird\nmir einem Tranrrgeschrei begleitet,\nd - gleichklingend Gr Brust aller\nBader en enrstcig\'. Diese Traurig\nkeil ist in:-. nur g.leuche!!, denn alle\namüsseren \' \' riesig über das Bad\nun.- \'ei - r BegkE\'-\'chemuügen Und\nGrüns nenn arm \'Vergnügen ist jr\nwohl auck vorhanden: denn man hör-.\nund \'staune! den Ten der Ver\nse! Hier ist er:\nDon jetzt gerechner. sind es drei Mi-\nJetzt sind es n.:r n. -a zwe- Minuten,\nch. un bleibt nur ?: g -uw Minute.\nSeid geduldig: r r \' " : u wirtlick\n\' m jst\'s vorbei \' - aus dem\n-sie vollständige Kur erfordert die\n\' : keit von !!\'-> .!-: ern. aie.\n\' r an, „ganz e\'!r.Z:a 7 phossolo\niic \' Folgen labrn." Uns das darf\nman. wohl getrost glaube: !\nTic Mrc Ztilimi/\n.Zentrum und Naltonallibcralc pro\nphezeie eine ernste Arrse als\nFolge derselbe.\nBerlin, 3t. Tee.\nDaß der Zaberner lüonftiki noch lange\nnickn erledigt ist. geht aus de Berich\nte der deunchen Presse über Kundge\nbungen de Zentrums und der Nalw\nn,illiberalen hervor, in de n nicht nur\nder Ruckliiu de Reichskanzlei Dr.\nvon Beidmann-Hollweg verlangt, son\nder auch eine vollständige Umwälzung\nde deutschen Patlamenlansuius vor\nausgesagt wird\nAus dem Zentrum-Parteitag in Ulm\nerllarien die mürtle , verglichen Avge-!\nordnen Gi öder und Erzberger. die\nZaberner Affäre werde wahricheiiilick,\neinen schweren polnischen Kamps zur\nFolge haben, in dein ein Kompromiß\nkaum möglich sein werde. Ei Mann\nheimer Blatt, da- Organ des Naiional\nliberalen Bassernianii ineiiii. Denljch\nland siehe vor einer schwere Krise: der\nReichskanzler steh ganz isviiri. und sei\nSturz wurde von den Naiionalliberalen\nlucht bedauert werden. Auch die Blät\nter der Rechten belämpsen seil einiger\nZcil den Kanzler kaum minder hejiig\nals die der Linke.\nBriesninrkcnrummel.\nEiiisüiffc des Krüge auf das Prislwe\nsen der Lil>astaln.\nDie verschiedenen Phasen des Bal\nkankrieges haben auch im Postwesen\nbor kriegführenden Staate ihren\nAusdruck gesunden. So gaben zu\nAnfang des Krieges verschiedene der\nägäischen Inseln besondere Briefmar\nker, heraus, z. B. Jkanen, Mytilenr,\nSamos und Lemnos. Griechenland\nversah die in den eroberten Gebieten\nverwendeten Marken mit einem be\nsonderen Ueberdruck, und neuerdings\nhat auch der werdende Staat Alba\nnien sich schon mit der Herausgabe\nvon eigenen Briefmarken befaßt. Zu\nerst verwendete man dort türkisch\nMarken, die mit einem höchst primi\ntiven albanischen Adler überdruckt\n\'Wurden. In der letzten Zeit aber hat\nman\'einen regelw-chten Stempel ange\nfertigt, welcher die Inschrift trägt\n„Postat c Qeverrics se Perlohefhme":\ndiese Marke wurde in den Werten zu\n2E Para und l Piaster herausgege\nben, d. h. die Postbeamten stellen sie\nselbst her. indem sie diesen Stempel\nauf ein Stück Papier drucken und auf\nden ihnen übergebenen Brief Neben.\nGriechenland hat den Briefmarken\nsammlern im legten Stadium noch\neine ganze Reihe bon provisorischen\nMarken beschert, die zu den seltensten\ngehören, welche seit Ansang dieses\nJahrhundcris überhaupt ausgegeben\nwurden. So hatten die Bulgaren in\nder für einige Zeit besetzten Hafen\nstadt Kawalla iyr eigenen Marlen\neingeführt. AIS die Griechen diesen\nOrt einnahmen, fanden sie einen klei\nne Nest dieser Marken vor und ver\nsahen sie schnell mit einem griechischen\nAusdruck. Von einzelnen dieser Pi"\nvisoricn sind nur 10 Stück hergestellt,\nwodurch sich ihre Seltenheit erklärt.\nAls die griechische Floite vor Dedca\ngatsch lag, wurden auf ihren Schiffen\nBriefe zur Weiterbeförderung ange\nnommen. In Ermangelung von\nMarken fertigte man amtlich recht\neckige Papierstücke an, die mit einer\ngriechischen Inschrift und der Wert\nangabe bedruckt wurden. Als diese\nVorräte zu Ende gingen, nahm man,\nwie in Kawalla. bulgarische Marken\nund bedruckte sie ähnlich wie dort.\nSehr selten sind auch die in G\nmüldschina ausgegebenen Provisorien\nzu 10 und 25 Lepta. Diese Stadt\nwar ursprünglich von den Bulgaren\nerobert, wurde aber dann von den\nGriechen besetzt. Im Autarkster\nFrieden sie! sic wieder an Bulgarien,\ndoch tonnte dieses sie nicht sofort be\nsitzen, sodaß die griechische Besatzung\nlänger dorr bleiben mußte. Während\ndieser Zeit hat man nun türiische\nBricsmar\'en, die inan vorfand, mit\neinem mehrzelligen Ueberdruck in\ngriechischer Sprache versehen und\nauch noch das griechische Wappen hin\nzugefügt. To auch viese Marken nur\nin geringer Zabl hergestellt wurden,\nist ihre Selienheit sehr erklärlich.\nSchließlich sah sich auch Bulgarien\nzur Herausgabe einer Serie von l\nl. is 27 Stoiinli mit einem aus den\nAnlaß zu ihrer Herausgabe bezug\nnibmenden Ueberdruck versehen: sie\nwürd, in größerer Anzahl au-geae \'\nlen. Seltsamerweise ha! Moniene\nzro noch mchis über du Herauvgale\nk-gener SiegcSmarren von sich Horen\nlassen.\nÜ; Magcnleidcn verschwinde.\nMagen-. Leber- und Nierenleiden,\nschwache Nerven, weher Rück? und\nFrauenleiden verschwinden, wenn Elec\ntric Billers gebraucht wird Elsza Pool\nvon Devew. Oklahoma, schreibt: „Elce\nliic Bitters hat mich wieder au dem\nBett gebracht und von meinen Leiden\nbeireit, und hat wir sonst viel Gute\noeihan Ich wünsck e eine jede leidende\nFron konnte dies ausgezeichnete Mittel\ngebrauchen, in au zusinden wie gut\ndaSi-lbe ist " Eine jede Flasche ist ga\nrantiri: äb>c und sft.OO. Bei allen\nApothekern. H. E. Bucklin k Co.,\nPhiladelphia oder Sl. Lou\'.s. Änz.\nDie „No,vster\'-Melkun\ngen baden bi, Gescbtcdte\nvon La Lrone nicht nu\nnitschreiden sondern mi,-\ninachen Helsen.\nNnmine\'- s->.\nStürm in Europa.\nDeutschland, Spanien, Portugal,\nFrankreich und stallen\nbetroffen.\nPari, :?l. Der.\nFrankreich und der größte Theil de\nübrigen Europa hat gegenwärtig da\nschlinimne Unwetter seil einer Dekade\ndurchzumachen. Blizzards und Hoch\nwasser haben deren großen Schade\nli Inland angerichtet und Stürme\nvon außergemöhnlicher Stärke Hadem\ndie Küste heimgesucht.\nIn Spanien und Portugal sink\nviile Personen infolge der Kalte ge\nstorben. Im Süden von Frankreich ist\ndas Quecksilber aus mehrere Grad uiner\nNull. Fahrenheit, gesunken\nTer Vesuv in Italien ist von einem\ndichten schneemainet bedeckt.\nIn Frankreich und dem südlich n\n: Europa ist der Eisenbahnverkehr ih.il-\nweise lahmgelegt Paris und llmge\n! düng ist säst vvllständig vorn Telegra\nphendiens abgeschnitten Am schiimi.\nsie ist die Lage im Süden Frankreich,\nder selten nier dem Frost zu leiden\nbat. Dutzende von Dörfern sind voll\nständig von der Außenwelt inft\'lge der\nSchneesälle abgeschnitten. Die ärmere\nBevölkerung hat unsäglich zu leiden.\n> Biele Todesfälle sind bereits vorgekom\ninen.\n!\nttcilie Arbtitslostii im Horden.\nDuluth. Minn., 31. Deo.\nRach der Erklär g der große Ar\nbeiisvrrmilllungs.Agkniuren i Du\nluih. Minn. ist auch nicht ein einziger\nAi beiter in dieser Gegend brotlos. Alle\nHolzsällcr haben Beschäftigung.\nOclbriiniicii-OleschichtlichcS.\nDie Entstehung unserer großen\nPetroleum - Industrie wird meistens\nauf die betreffenden Entdeckungen\nin Peiiiisylvanien zurückgeführt. Aber\nmehrere ui.ierilanische Staaten erhe\nlen den A ispruch, schon geraume Zeit\nzuvor eincn oder mehrere Oelbrunnen\nselzabt zu haben, die in tatsächlicher\nBenutzung waren.\nIn West - Virginicn wird be\nstimmt versichert, daß in Oeibiun\nn.-n an he Ufern de Kanawha-\nFlusses, auf der Stätte, wo heute\nEbarlcsfti. steht, der erste in unse\nrem Lande gewesen sei und 51 Jah\nre vor dem berühmten Brunnen von\nTiti\'svillc, Pa., floriert habe. Lctz\nfties mag inan leichter glauben, als\nmft erstere.\nKenluctyer behaupten, hast, in ih\nrem Heimalsstnatt\'s.avn sehr früh ein\nz Pliro\'er.rnl,ru::nrr. betannt gewesen,\nj er weiter ni Zs danui getan war\n! den sei. aIS eiinn kleinen Teil des\n! \'l\':odut:-:s ans Flaschen ,zn zieh::\ni und aIS Salbe m Hcuißcrbanöel zu\nrerlau feil!\nEs ließen sich noch mehr derar!\'g<\nVeispiel- anführen: doch sind dietcl\nl-n sämtlich lanin von größerer prat\nulchcr Bedeutung, als enva die Ame\nrika - Entdeckung von EolnmbuS\nUnftreilig ist die Geburt der wirtli\nchen amerikanischen Petroleum In\ndustrie von der Entdeckung von Fi\nluSville zu datieren.\nWestvirginien ist erst vor etwa\nzwanzig Jabren ein großer Petrole\num Staat geworden und seitdem\ngeblieben Es hatre zwar vor dein\nBürgerkriege eine belrächtliche Indu\nstrie dieser Art entwickelt: doch wur\nde dieselbe während ver Zeit der\nFeindseligkeiten sogut wie zerstört,\nund nach dein Kriege hatte sie viele\nJahre Hindu.ch um ihre Existcnz zu\n\'ämpsen. Im Jahre ltüiO aber er\nreichte sü, in diesem Staat ihre höch\nste Ctuse. nämlich eine Ausbeute von\nüber 16 Millionen Faß. Sv hoch\nist sie nicht mehr gekommen: aber\nder Geldwert der 12.200/100 Faß,\nwelche 1!>!2 erzielt wurden, überstieg\nden ,edes anderen Jahres, ausgenom\nmen jenes Banncrßihr.\nIn Belgien ist als Belohnung\nfür gutes Verl-allen den Jnsaisen der\nGesängrussc das Tabakrauchcn er\nlaubt.\nBei den Erdbeben von Js\nchia, 28. Juli 1882, blieb in der\nStadt Easamicciola gerade nur ein\nHaus stehen.\nDie groß en Ochsevhäuie lie\nfert gegenwärtig Frankreich. Neulich\nivuode eine von 87 Oaiadratfuß\nnach den Brr. Staaten gesandt.\nGenera! Timofcjew degradierte\neinen Offizier ..:id schickte ibn nach\nSibirien, wel er aus der Straße den\nHalskrage ossei. getragen hatte.\nZur Zeit des Kirchenstaates\nempfing der Pap 6 für jede Mene,\ndie er selbst las. 27 Paoli \'-?1/10>.\nEinem Gelehrten in London iß\nes gelungen, mit Hilse eines elcftri\nschen Ofens eine G\'.-röhre mit ei\nnein äußeren Durchmes\'-r an nur\n27 Tausendstel Zoll b\'r;ust:!!en.\nIn I n terna! i o a a ! Falls,\nMinn., w\'uvr di- 2 J.\'lre alte\nFrau Herr, nn Girse vurch\neinen unglücklichen .-\'fall durch ei\nwen Schuß ins Herz ans der\nStelle getötet. Ein Gewehr, mit\nwelchem ihr vierjähriges Schnellen\nMiften spielte, war zur Entladung\ngekommen. Seck " Keine Kinder h,r\nixn die Mutter verloren. Tie Fa\nmilie kam ans Bemidji nach Inter\nnational Falls.', 'publisher': 'C. Halbwachs', 'language': ['English', 'German'], 'alt_title': ['La Crosse nord stern', 'Nordstern'], 'lccn': 'sn86086186', 'country': 'Wisconsin', 'ocr_eng': "* Entered in the Poet Office in >\n' teCnow, Wi*.. at eeeond claen rates.", 'batch': 'whi_clabbert_ver01', 'title_normal': 'nord stern.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn86086186/1914-01-02/ed-1/seq-1.json', 'place': ['Wisconsin--La Crosse--La Crosse'], 'page': ''}, {'sequence': 1, 'county': ['Vernon'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85040451/1914-01-07/ed-1/seq-1/', 'subject': ['Viroqua (Wis.)--Newspapers.', 'Wisconsin--Viroqua.--fast--(OCoLC)fst01234647'], 'city': ['Viroqua'], 'date': '19140107', 'title': 'Vernon County censor. [volume]', 'end_year': 1955, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Available on microfilm from The State Historical Society of Wisconsin.', 'Editors: D.B. Priest, Aug. 23, 1865-May 12, 1869; W. Nelson, May 19, 1869-April 28, 1875; H. Casson, Jan. 17, 1877-Oct. 21, 1885; O.G. Munson, Oct. 28, 1885-Jan. 7, 1920; H.E. Goldsmith, Dec. 21, 1921-June 29, 1950; G.A. & M.S. Hough, July 6, 1950-Nov. 3, 1955.', 'Publisher varies.', 'Supplements accompany some issues.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Viroqua, Wis.', 'start_year': 1865, 'edition_label': '', 'publisher': '[publisher not identified]', 'language': ['English'], 'alt_title': ['Censor'], 'lccn': 'sn85040451', 'country': 'Wisconsin', 'ocr_eng': '70L. LVIi: No. 1\nShort News Stories of Interest\nPick-Ups by Censor Reporters of the Coinings. Goings and Doings of\nViroqua and Vicinity\n—Mackinaw coats at Stoll & Groves. ’\n—Window glass and putty at Tow\nner’s.\n—Farms listed, bought and sold. W.\nE. Butt.\nBrick, tile and cement at the Nu\nzum Lumber Yard.\n—Editor Haughton was over from\nWestby on Monday.\n—Hogs and tobacco make great traffic\nin Viroqua these days.\n—Assemblyman Grim.-rufl. was in the\ncity from Westby on Friday.\n—Dr. Chase, dentist, office in INat\nonal Bank building. \'Phone 32.\n—Reiser.auer harp orchestra at Run\nning\'s hall Friday night, January 9.\n—Geo. D. Thompson of Hillsboro\ncalled on his mother here and others.\nMiss Hope Munson went to Chica\ngo to pass a few days with rela ivea.\n—The best cement and plaster at\nright prices at Bekkedal Lumber Com\npany.\n—Louie Sotberg now drives a Buick\n“30” roadster, purchased from Tuhus\n& Clark.\n—G. K. Mork of Soldiers Grove was\n•with his brother T. 0. Mork for anew\nyear visit.\n—A fine line of Christmas and New\nYear post cards, 1 cent each. J. W.\nLucas Jeweler.\n—Oar present stock of Edison two\nminute records closing out at 2 for 25c.\nBrown Music Cos.\n—lf your roof leaks, stop it with\nroof cement. Bekkedal Lumber Com\npany have the best.\n—Ladies, Barker’s Anticeptic will\ndestroy all offensive odor from perspir\nation. All druggists.\n—Shaving sets, mugs, brushes,\nstrops, soaps, powders, hones and ra\nzors at Davis’ drug store.\n—James Wanless, a former Liberty\nPole blacksmith, is here from South\nDakota greeting ola friends.\n—Mr. P. L DeWitt returned from\nCalifornia, where he went a year ago\nexpecting to make it his home.\n—Almost 89 years old, Mrs. Anna\nRonghulet passed away in the town of\nCoon, after many years residence there.\n—Miss Kathrine Lindemann is unable\nto return to her work at Oberlin college\nbecause of a sprained limb produced by\na fall.\n—Don’t think all mackinaw coats are\nthe same in quality. Chippewa macki\nnaws are different. See them at Stoll\nSt Groves ’\n—Amos Schroeder of Viola., has com\npleted the normal course at La--. Crosse\nand accepted a position as teahcer in\nBangor schools.\n—George Willgrubs of Madison, has\nbeen the guest of Mr. and Mrs. Otto\nE. Davis. The gentleman is an uncle\nof Mrs. Davis.\n--Kr. (..id Mrs. Fiank H. Williams\ndeparted, on Monday, for a winter’s\nsojourn in the south, Biloxi, Mississippi,\nbeing their objective point. t\n—Viroqua - Viola basket ball teams\nwill contest a game at the Opera bouse\ninjthis city on Friday night Give the\nhigh school teams a big audience.\nProf Theodore Running circulated\namong relatives and frie.ias in this\ncommunity during holiday vacation from\nliis work at Michigan u.iivereity.\n- T h e city library has just received\nsome new bonks for the juvenile de\nparinn nr. These books will be ready\nfor circulation Thursday afternoon at\n3:3j.\n—Walter S Proctor and wife leave\nfor California tomorrow, going there\nto make it their home, where he has\ninterests in connection with his broth\ner and William Webb.\n—His county board fellow members\nwill be bleßsed to know that Supervisor\nBrad Baley is grandpa, a little son com\ning to the home of his son, Worth Ba\nley, at Hillsboro, a New Year boy.\n—Town treasurers first to make pay\nments of tax money into .he county\nare John C Thompson of Jef\nrferson, Frank R. Eno of Forest, T. S.\nJordon of Union and John W. Waddell\npf Stark.\n—One only, fine fur lined coat, genu\nine unplucked otter collar and cuffs,\nregular price $75, and worth more. Re\nduced to S6O, a rare bargain, one you\nwill never see again as the price ad\nvances each succeeding year. The Blue\nFront Store.\n—Viroqua camp is represented in the\nbig northwestern convention of Wood\nmen now in session at Minneapolis, by\nJ. Henry Bennett, Dr. Surenson and\nOscar Larson. Other county camps\nhave delegates present but the Censor\nhas not the names. Mr. Bennett had\nthe honor of being permanent chairman.\n—Pearl Morley and Edward A. Schmidt\n•who ten days since, went to the south\nwith buoyant hopes of securing work\nat their trade, are home and glad to be\nhere. They say there is forty men for\nevery Job in the south. They visited\nMemphis, Hot Springs and many other\ntowns and found the same conditions\nregarding surplus labor .\n—Mr. E. G. Davis came from his new\nhome at Litchfield, Minnesota, to pass\na few days with relatives and friends\nin Clinton and Webster. He tells the\nCensor that he is well satisfied with\nconditions west and has added a nice\nlarge slice to the farm originally pur\nchased. The sons of Frank Edwards\ncame down from Minnesota with Mr.\nDavis.\n—There will be plenty of attractions\nat the Opera bouse this month including\nspecial moving picture features every\nWednesday and Saturday evenings.\nHarmount\'s Uncle Tom’s Cabin Com\npany, carrying eighteen people, Van\ndyke & Eaton Company, lecture course\nand home talent. The greatest eight\nreel feature now making the iargest\ncities in the world, "The Last Days of\nPompeii,’’ will be given the latter part\nof the month.\n—Coon Valley loses one of her fore\nmost citizens in the death of Dr. Knute\nC. Storlie, the end coming on Decem\nber 28, in LaCrosse hospital, where he\nhad rece-ved treatment for some months\nI for heart and kidney trouble. Daring\nhis years of residence there Dr. Storlie\n|had ingratiated himself in the g iod will\ntoad affections of all peopip by his noble\nweds as citizen, business man and phy\ntoian, and his death is universally\n■jorned During the foneral, which\ntots conducted by Pastor Sovde, every\ntowines* Diace in’ the village was closed.\nJrr. Storlie was 15 years old.\nTHE VERNON COUNTY CENSOR\n—Money loaned. W. E. Butt.\n—lnsure with John Dawson & Cos.\n--Overcoat sale this week at Stoll &\nGroves.’\n—Lamps and all kinds of lamp acces\nsories at Towner\'s.\n—All kinds of storm-noof roofings and\npapers at the Nuzura Yard.\n—Dr. Baldwin,dentist, second floor\nFerguson building. ’Phone 66.\nMrs. Lauder has established an egg- \\\nbuying agency at Cashton.\nW ill Glenn came from Neenah to;\npass New Year’s day at home.\nEdison two-minute records, 2 fori\n25c, while they last. Brown Music Cos.\n—Place orders now for storm sash,\nwhile our stock is complete. The Nu\nzum Yard.\n—Chairman Helmuth Conrad of Clin\nton was in the city on official business\nMonday.\nMiss Minnie I.epke of Harmony was\na guest of Mrs. D. 0. Mahoney during\nvacation.\n—Prof. Roy J. Carver passed a por\ntion of his holiday vacation with Viro\nqua friends.\n- Leave orders for cut flowers and\nfuneral designs with A. E. Surenson\nand you will be satisfied.\n—I have a place to loan $2,000 and\nS7OO at 7 per cent 1 have some money\nat 5 per cent. W. E. Butt.\n—Mrs. Ashbaugh came from Minne\napolis to spend some time at the Sidney\nHiggins parental home at Liberty Pole.\nMrs. Hettie Rusk-Bolstad came\nfrom her home in lowa to pass a few\ndays with Viroqua relatives and friends.\n—John H. Seymour of De Soto vicin\nity purchased one of the popular Buick\n826 touring cars from Tuhus & Clark.\n—Mathias Hanson has completed a\nthree-section automobile garage on his\nresidence lot west of the St. Paul de\npot.\nMrs. George Welch returned home\nfrom the hospital after several weeks’\nabsence, submitting to an operation for\ngall stones.\n—Cbas. E Chase and wife arrived\nfrom their new farm home in North\nDakota to pass balance of the winter\nat La Farge.\n—John Showen was in the city from\nWest Prairie. Says himself and wife\nenjoy their work on Dr. Christenson’s\nbig dairy farm.\n—Plenty of those dreamy moonlight\nwaltzes when the Reisenaur haip or\nchestra plays at Running’s hall Friday\nnight, January 9.\n—Jas. E. Mills of Jefferson took him\nself to Ohio, where rext Monday he\nwill be wedded to a lady of that state,\nMiss Alice Slinker.\n—We are rushed with business but\nwill use you right if you will come in\nand mke your wants known. Bekke\ndal Lumber Company.\n—F’red Hayes, afier spending a fort\ni.ight here returned to his dental studies\nin Minnesoolis. He likes the school and\niiis chosen profession.\nn Oscar Lindevig, one of the get\nthere young farmers of Whitestown,\nwh business visitor to the county\nseat or, Wednesday last.\nWestby loses another aged citizen\nby the going of Mrs. Johanne Melby,\nwho died at the h;me of her daughter.\nMrs. J. K. Running, aged 83 years.\n—John W. Brown and wife arrived\nhome on Monday from a week’s visit\namong relatives and friends in the vi\ncinity of Avaiance and Bloomingdale.\nDr. and Mrs. A J. Moe and son of\nHeron Lake, Minnesota, returned home\nafter enjoying a visit at the parental\nhome of Mr. and Mrs. Jerome Favor.\nPostmaster Shallert and wife of\nChaseburg have intered upon a most\ncommendable wcrk by adopting from\nthe Sparta state school two little girls.\nJudge Mahoney experienced a\nsprained ankle \'or a fortnight, part of\nthe time confined to his home. He now\nhobbles about with assistance of a cane.\n—Cronk & Willard, Chiropractors.can\ncorrect your disrlaced spinal bones,\nwhich cause you* chronic aches and\npains. In Ferguson Bldg., Suite 2,\nphone 27.\n—Do not ovorlook the storm windows\nand doors till cold weather comes. Or\nder them now. Bekkedal Lumber Co\nmpany will take the measure and guar\nantee a fit.\n—Pizzicatto fingering, staccato bow\ning, .he correct method of shifting and\nposition work, will be thoroughly ex\nplained by C. F. Wallace, violin teach\ner, at Running’s hall every Sunday.\n—Christmas, with its good cheer, has\npassed, but mackinaw coats will be\nwanted more than ever. To supply this\ndemand we have just received anew\nline in the best quality and styles. The\nBlue Front Store.\n—Dr. C. D. Mead, graduated and li\ncensed Osteopath, can correct your le\nsions that cause your chronic aches and\npains. Also treats your acute cases of\nall kinds. Over Blue Front Store.\nPhone 209, bouse 312.\n—Mrs. William Proksch of Stoddard\ncommunity, after a week’s illness with\npneumonia, died January 2, aged 67\nyears. She had long been a resident of\nthat neighborhood, leaves husband, sev\nen sons and foar daughters.\n—Mrs. OleC. Sveen returned to South\nDakota after some time passed among\nthe scenes and with friends of other\ndays. Mr. Sveen was treasurer of Jef\nferson for some years and a long-time\nSpringville clerk and merchant.\n—Neighbors and friends of Mr. and\nMrs. N. C. Bergh gathered at their\nhome near Newry, a week ago last\nSunday, to make merry with them on\ntheir twenty-fifth wedding anniversary.\nIt was the occasion of a house warming,\nthey having moved to anew residence.\n—Lawrence Brody, graduate of last\nViroqua high school class, paid a visit\nto his alma mater on Monday. He is a\nstudent at LaCrosse normal. Lawrence\nis honored by being chosen aa one of\nthe debating team for the school in its\ncontests with other normals. The mon\netary system of the country is subject\nto be discussed.\nA special meeting of Viroqua lodge\nwas held to coni • the first Masonic\nhonor upon Kenneth Smith before he\nreturned to university studies. It is a\nrare thing for one to have such honor\nand privilege granted him the day be\nreaches his twenty-first birthday. Mer\nchant Tbos. Dahl received the same de\ngree at that session\nJUST HOW WE ARE EQUALIZED\nReal Estate and Personal in Several\nCounty Precincts\nBelow is given the equalized values\nof Vernon county as determined by the\nlate county board and distrist income\nassessor:\nTowns. Etc. Personal Real Eat. Total\nBergen I 122.745js 751.4*\'* 874.J78\nChristiana *37.948 1.441.660 1 679.548\nClinton “04,353 1.015.786 1.320,1*8\nCoon 166.128 1,034,800 1.190.928\nForest. *20,338 869.95 b 1.090.194\nFranklin 261.879 !.9&* 1.938,139\nGenoa 157.673 596.096 758.769\nGreenwood 173 870 1,161.126 1,337.996\nHamburg 300.032 962.654 1.162.686\nHarmony 169.818 930.858! 1.100.676\nHillsboro 167.890 1.157.058 1.324,948\nJefferson 208,649 1.578,860 1.782.5-9\nKiekapoo 149 251 800.264 949.515\nLiberty 98,611 485.156 530.707\nStark 144,097 694.694 838.791\nSterling 284.9\'! 1.150.902 1,385.8!!)\nUnion 149.548 948,542 1.096.090\nViroqua 225.928 2.015.260 2.269.18S\nWebster 178,128 836,560 1.014 686\nWheatland 98,617 416 304 544.921\nWhitestown. ... 136 547 649 446 785,99’\nCoon Valley village 77,134 167.678 245.012\nDeSoto village.... 53.651 62.017 115,711\nHillsboro village 144.604 485.032 6*9.86*\nla Farge village. . 130.466 336.346 466.812\nOntario village 51.543 106,1812 158,445\nIteadstown village. 78,116 164,638 242,754\nStoddard village .. 40,432 98.901 139,333\nViola village 24,258 156,292 180.550\nViroqua City 679,292 1.830.826 2.510.112\nWestby village... 236.278 567.948 844,326\nTotal 5,287.869 26.188,406 30.426.277\nW. N. Coffland went to Milwaukee\non business.\n—Keith Nnznm passed a week in\nMinneapolis.\n—Mrs. Martha Hall visited her sons\nat Cashton.\nDonald Clarke and wife arrived\nfrom Chicago.\n—Clark Wheeler suffers from an at\ntack of neuralgia.\nMaeder orchestia dance Thursday\nnight of tbid week.\n—Elmer Loverud has purchased a 120-\nacre farm in Dunn county.\n- New subscribers to the Censor\nhave been numerous of late.\n—lf you want sweater values buy the\nBradley from Stoll & Groves.\n—25 per cent discount on all cloth,\nplush and fur lined overcoats.\n- Don’t miss the Maeder orchestra\ndance. Tomorrow night. Thursday.\n—George Wheeler is erecting anew\nwind-mill in northwestern part of town\nKeep your walks free of snow\nCity ordinance compel < this action, and\nits right.\n—Mr. and Mrs. Jerome Favor had as\nguests Mrs. Shields and little daughter\nof Sparta.\n—Brown Music Company delivered\ntwo Kurtzmann pianos in Sparta last\nSaturday.\n—Martin Jackson of Sparta was a\ngue?t of hia eon and daughter for a day\nth Viroqua.\n—January second was the first day\nof the winter to necessitate sidewalk\nclearing of snow.\n- Dance at Running’s hall Friday\nnizht. January 9. Music by the Reiser,-\neuer harp orchestra.\n- Mrs. E. W. Hazen has been in Min\nnesota for some days, called there by\nthe illness of a sister.\nMrs. Angeline Hart, an aged wo\nman and cld resident of Ontario, is dead.\nAlso Mrs. J. P. Sullivan.\nAbraham Lee and wife came from\nMinot, North Dakota to pass some time\nwith relatives in this section.\n—Mrs. Joseph Cunningham and four\nchildren arrived from North Dakota\nfor a protracted stay with relatives.\nHarvey Seeley autoed over from La\nFsrge on Friday. Said it was danger\nously slippery on hills to manipulate a\nmachine.\n—lf you want to see one of th e\nmost beautiful cars built, drop into th e\nTuhus & Clark garage and inspect thei r\nBuick model 837.\nNewton reports an unseemly brawl\nand disturbance of the peace for peace\nable citizens. Booze is said to have\nbeen the disturber.\n—Mrs. Phoebe Price died at Cashton,\naged 87 years, a resident of that com\nmunity almost a half century. Inter\nment in Clinton cemetery.\n—After a month of intense suffering\nfrom carbuncles in a LaCrosse hospital,\nC. W. Moore is home and his condition\npermits him to be about.\n—lnstallation of officers in Viroqua\nModern Wwdipan Camp will occur\nThursday evening of this week. All\nmembers are requested to be present.\n—Miss Gertie Glenn returned from\nhomesteading in Montana, expecting to\nremain at home rest of winter. John\nGlenn and family are also here from\nthe same section.\nWinter is here at last, and with it\nyou will want a warm overcoat. Plush\nlined, sheeplined or fur outside. The\nbest and cheapest will be found at The\nBlue Front Store.\n—Only a few childrens’ and boys’and\nmisses’ mackinaw coats left, ages 5 to\n15, no more to be had. Come soon if\nyou want the most sensible garment for\na boy or girl. The Blue Front Store.\n—Miss Marie Fladhammer is visiting\nwith her Sister, Mrs. Iver Morkrid and\nfamily at Southam, North Dakota.\nFrom there she goes to Grand Forks\nand Fargo to visit relatives and friends.\nFrom the Morkrid western home comes\ntbe news of the arrival of a baby boy.\n-J. E. Shreve, who recently sold his\nfarm in Jefferson to his son and son-in\nlaw, has purchased property and will\nsoon move to the city. His new pos\nsession is the DeGarmo residence and\nthree acres of land a block east of the\nold fair grounds.\n—Tbe old Van Wagner residence on\nlower main street was purchased by J.\nE. Nuzum, who in turn exchanged it\nwith J. W. Sanger for his Kiekapoo\nfarm, Mr. Nuzum selling the farm to\nGeo. S. Taylor of Pleasant Ridge. Mr.\nNuzum retains the acreage property in\nrear of the Van Wagner place.\n—Mrs. Adam Carlyle, a former well\nknown pioneer woman of DcSoto, died\nin LaCrosae on Christmas day, follow\ning a stroke of paralysis, aged 85 years.\nRemains were conveyed to DeSoto for\nburial where the husband died years\nago. Two sons and three daughters\nsurvive. Tbe Carlyles were among De-\nSoto’s earliest and most influential cit\nizens.\n—At Acme, Oregon, recently occur\nred the death of Sidney Waite, aged 86\nyears, from apoplexy. As early as 1852 \\\nMr. Waite located in Whiteatown, farm- \\\ned and logged. He was one of tbe |\nsturdy men of Vernon county in pioneer\ndays With his family he moved to the ,\ncoast country in 1889, where they pros- ■\npered in lumbering operations.\nVIROQUA, WISCONSIN, JANUARY 7, 1914\nWAS DISTINGUISHED IN CIVIL AND MILITARY LIFE\nTaps Sound for Vernon County Honored Soldier-Citizen\n—General E. M. Rogers\n>• W -A < ’•/ ’\nI\nj .... ! : ...\ni’- . <•\'; I I\n\' | , i *■’. V.- :*1\n| j j\n. > * \' gjgpf\n■it * .* - jj\ntu- v. ■ mmnmmtmte j\nThe uniiinpl i and unexpected death\nof General Ejh M. Roffeie, which came\nin a Milwaukee hospital at an early\nhour last Saturday morninff,cant n cloud\nof sorrow over this entire community\nand brinffß a personal grief to the pub\nlic second only to that sustained ty his\nimmediate family and kinst.ip. Two\nweeks and one day preceding his death,\nwith Mrs. Rogers, the general left\nhome, contemplatirjr a winter in the\nsouth, to halt briefly in Milwaukee,\nwhere he contract! and he cold that pro\nduced pneumonia, and the result is too\nwell realized. With him at the hour of\ndissolution were Mra. Rogerf, his two\nsons and son-in law, Dr. C. H. Trow\nbridge. His daughter and daughter in\nlaw arrived a few hours too late to\ngreet him iu life. The I ’truins arrived\nhurt) Sunday morning ct-lfirSrere taken\ndirect to the old home, where many of\nthe tender memories yf a loog and use\nful life were centered\nThe last rites were held in thr Con\ngregational church Tuesday afternoon,\nthe remains lying there in state fur sev\neral hours preceding the service, ar.d\nthere passed in review hundreds if riot\nthousands of and schoolchildren\nto look upon the familiar features of\niin who had been so long and actively\nan agency for education and the best\nthings in community life. At the cask\net were stationed sentinels of honor.\nGrand Army corarades.the men near.-Bt\nhis heart and sympathies in life. The\ncasket was covered by sn American flag\nand banked with beautifully arranged\nfloral offerings. Emblems from the six\norders to which deceased belonged be\ning especially expresoive of love and\nesteem—the Grand Army,lron Brigade,\nLoyal Legion, Odd Fellows, Masonic\nand Royal Arch Chapter.\nThe church was filled to its capacity.\nServices were simple.conducted by Pas\ntor Bayne from the Episcopal ritual, a\nprayer and two selections by the male\nquartet.\nSlowly and sorrowfully the procession\nwended its way to the silent city where\nthe precious remains were returned to\nMother Earth, C J. Smith conducting\nthe Masonic service,and the Grand A<-my\nwhich was an escort of honor, offered\nits tr\'bute and sounded taps. The pail\nbearers were tbe near neighbors and\nIntimate pergonal and family friends of\nthe General —Col. C. E. Morley, H. P.\nProctor, Fred Eckhardt. F. M. Towner,\nE. W. Hazen and 0. G. Munson.\nNo more timely or truer tribute can\nbe paid to the life and memory of Gen\neral Rogers than to say he was a com\nmunity man—one whp believed in his\nneighbors and next to his family his\nneighbors were of most concern to him\nin his every day life. In times of war\nand peace he performed well and man\nfully the stations that came to him,and\nhis civilianship was in keeping, always,\nwith the honorable and heroic part as\nsumed in the days when his country’s\nhonor was in the balance and her insti\ntutions threatened with dissolution. He\nwas a gentleman combining the old and\nnew schools of ethics, surmounting pov\nerty and early disadvantages and fitting\nhimself for enlarged problems He ac\nquired a fund of information which\nplaced him in the front ranks of think\ners, readers and writers all worked out\nin a clear mir.d. In history, art and\ntravel, knowledge of the religions of\nthe world, he had few equals. He pos\nsessed the charitable, sympathetic and\nhelpful spirit to the fullest extent. His\nacquaintance at home ar.d throughout\nthe state was wide and of the best char\nacter. Hia presence has gone from us\nforever; we shall all long revere his\nmemory, remember his good deeds and\ndrop a tear with those moat sorelv be\nreft.\nThe last coon y history deals so fully\nwith the biography and ichievement of\nthis our departed friend an I neighbor\nthat we reproduce the same In it is\nembodied the testimonial of hUold army\nCommander. General Bragg.\nGeneral Roger* was a native ot M the old K"ytonc\nstate having been bom at Moui tjPlssssi e Wsvue\nconntr. Pa.. July H, ISZ3. and I- a# a nor. of Clay\nton mnd Tryphosi* Rovers. hots nf whom were\nlikewise born In Wayne county, where the reepect\ni. - families were founded in r.he pK.r r days,\nfit* ancestors were of colonist ..uck ir. New gna-\nGENERAL EARL M. ROGERS\ni land. *nd H : s ir atrrral ennui father. .Twines Biwro\n■Ji w, fti\'rvtnl m r noMnn in thi v**nth Massitchn\n! ivgmu nt. under Colonel Jackson, in the war\nj tho Revolution. Grrcral U pa?v*j hia oar\n| ly youth in his native state, whe o he was afford\nj t.d the advumageeof tbe Hu sett,\ni tied in Dam- county, in lH r A removed to Crawford\ni county in \\?V2, ant, at the age of sixteen year#, he\ntjok up hi abode in the Httlo village of Liberty\nt Pole, which a then the principal town of Ver\nnon | county. There he a‘cured tmplo>ment as\n! clerk in agent r *l $t re. He remained thus cn\n! IMW or.til *X6O, when ho clos ed the plain* to\n; Coloiado, which was then known a JeiYerHonTer\ni ‘F" r v. H<- made th* t rip with * treiuhtinit train\ni XDkh trail,ported *ui-t>iiu. to the tnir.cu, north of\nj the present city of D*nv r, anrt Leavenworth,\ni Kan . al!ho i.utrtt‘,:j point from whiih the\n| wagon tram aet forth Ho returnod to Liberty\nFoie in the aut.-mn of the ,am<- year ami in the\nj following year he manlfeateil hia loyalty to tho\n1 Union by tendering hi, aerviee, in itn -lefonae.\nj On June 1, 1861. he onl .tiil aa a private in Com\n! i-any t. Sixth Wisconsin inf. htry, with which he\nproceeded to tht rronl and\'with which he solved\n! ttatli thett|haaoT th* war, bovine boon aide do\n! c imp on the staff of Oeni-ral Wadsworth nnlil tht\nj dMIX or In* titter whole,\', hia lire in the battle\n\' of the tYlMorreai, Xh-\'-a-.fler b. \\va, a-deon the\nstaff of General Biaotr until he tta - mustered out.\nMarch 17, 1865. He t- ok part in many of th im\nportant battle which marked tha pr*fleaa of the\ngreat conflict, and ami: K the number may he\nI mention, and the f -l\'-i-ctr k: Rappahannock, Guins\n! vine, eeeord Bull Run. Chantilly, S uth Mnun\n; tain. Antietiun. Fredricahurtr, Fitshnsrh\'s Crosa\nmjj Chancellorsville, Gettysburg. Min.- Run, Wil\ndi-mesa, laiurei Hill. Spoltaylvania. Jericho Ford.\nI Cold Harbor. I’,-terhurir. and Hatcher\'s Run in\nj October. I test, and second Hatcher’s Run in Feb\nruary 1867, In October tß6|, hi- was made first\nxerceant of hie company. In January. 188?, was\ni promoted second lioutenart, in which office he\n* served unto Auirust, 18*13, when hi* wan made first\n| lieutenant: in Octi*ber, )Bt)i, he w-as eomtriirsioned\n* captain and wax twice brevotted captain and ma\n: Jor for irafian t and me.- I \'ori us services in the hot*\nt\'l-aof ih- Wtldsrn.es and Fet-’rabunr. In a per\n( anna]l letter to General ttogerii from h : a old com\nmander General Edward 8. Brace, the latter\n1 awoke as follows, -the communication bearing date\nof April 11. 190°: "It is not possible to write your\n, military hptory without cove\'inif th,* history of\nj the Sixth Wisconsin readment in lour veers* ser\n. vice with the Army of the Potomac, of the Iron\n] Brigade in Its wonderful history, and of theßuck\n! tad Brigade of Pennsylvania, in the battle of the\nWilderness, Spottsylvanis, North Anna. Hanover\nand Rethesila church, where *. ou served on apeci\n} al duty as my ni *o-de-cun p it - my in no l it rnoire\n* /rum ths lieutenant* of the Ir ult i u fe. From\nJuly. 181. until after the litie of February 5.\n! IWu, your soldier\'s life is familiar to ms — as pri\n! vnte. non-commissions,l l fii.-er. lieutenant in the\n| line, ever trux/p, cie rtti.ly, nr re. yrovltna, but\nI alwayest it unto attain the hijhe-l dram of\n| rjriil\' nc in the performance of uny and every\nI duty given you to do. In the second day of the\n\' disastrous battle on the Flank Road in the Wilder\nj nesa your heroic effort to save the Issjy of your\nj chief, the irrand old l iitri.it Wadsworth, who fell\n1 from he: ho-ee. shot, while you sere beside him,\ni hia perauns\' aide de camp, sho- Id n.it tie lost to\n! history. Two niirhts later came the awful march\nin the mud. dyrk aa Erebus, and with strange\nj troops, you and Daily as fiank* is. to drive the\nstrairirl, rs and dodgers intv the road and keep the\ncolumn in motion. At Petersburg It waa at my\nside you fell wounded, while standing beside yoor\n\' kjs! on the rolling crest in front of and within\nI abort musket range of the enemy*\'* ehlrenrhed\n- line that the Iron Brigade, under my command.\nwer* assaulting in sinule lii.c without support.\nI-atcr you returned end rtnuir.rd duty, with en\nj ;i n W It id, not yet healed and being unable to\n1 wear your swoid belL. and by my side for eisht\nj lona hours, from morn ti.l night, fouaht Gor\ndon\'s division of Kebeami tepulbfd them, flichtirut\n, across and recroas the field called Second Hatch\ner’s Run. against superior force but holdina the\nfield until late In the afternoon. No. I can\'t write\nI It, for it would nuke a book, but I can say, and\nthat sums it all un, your soldier’s record of four\nyears was Vine p ur, suns irprui lir. " After the\n, dose of his lona and faithful service in defense of\nthe integrity of the republic f. oner a t !’.,*< t 1\n] returned to his home in Vernon county, where he\nremained until 11057. in March of winch y r lie\n. was appointed second I eulenantof the Third In 11-\nI ed States infantry, with which be Van in active\nj service on the western plans. vuardiu* track lay\nera on the Union Pacific Jtadroad und escortmir\ngovernment supply train\'* to New Mexico. He\nwas erutared in a battle with tbe Indiana at Cim\narron. He resigned his commission and retired\ni from the regular army in IseM, afte which he re -\n. turned to labertv Pole, where he was enjrsgod in\nthe general merchandise busmens for many years\nand where he built up a most, successful enter\n: prise. In 1*72 General Rotters removed to Viro\n\\ qua. where he continued in the same line of busi\nness, as one of the leading merchants of tire city,\nuntil I*2. since which time he has lived virtually\nretired. The mercantile busir **-* }* continued by\nhis elder son. Henry E. The Or oral was one of\n. the loaders in tbe ranks of republicans of Wiscon\nsin. and in 1900 he was s candidate tor tbe nomi\nnation for governor of his lists, but withdrew his\n. candidacy be \'are the meeting of ihe nominating\nconvention- From l a -4 until lb:Cl he served ■** 01-1\n1 lector of internal revenue for tire second district\njof the state. The General was incumbent of the\n; office of \'luartrrmastrr-treneral of the state troops\nduring the administration of Governor Rusk anj\ni took an active part at the Milwaukee riots. He\n. was affiliated with the Masonic fraternity, the In\ndependent Order of Odd Fellows tire Grand Army\n,of the Republic and tbe Do al le-vion. He was\n1 one of the honored and valued member* of Alex\nIxiwrre post, Grand Army of the Republic of Viro*\noua. tit** first orrsniz-d in the county, and he waa\nita tirst commander He and his wife were com\n: municants of the Prolestai t Episcopal church.\nTbe General was a man of distinctly n ifary bear*\nins. erect and vigorous.**!*! rivory siiyht ‘-videoce\nof the years which reeled upon him He has been\na loyal and public-spirited cithern donna his lona\nperiod of residence in Vernon counf > urd there\nhis circle of friends is cccum* rifsd only by that\nof hia sc/iuainlances. He was a man of broad in\nformation and mature judgment, rrenarous and\ntolerant, and one who well den- rved tie grand old\nname of gentleman. He has.traveled extensively\nand widen**! his fund of knowledge b; a Pprecis- |\ntive observation and by association w tb men of ‘\naffairs. He visited Europe and Mexio and also ’\nmade sojourn* in the most diverse auction* of bis\nnative land. On February * I*o4, was rolemnixed :\nthe marrisire of Genere I Royer* to Mies Amanda ,\nI*. William* daughter of Israel and Eilabeth Wit- 1\nliamsof Vircviua and her death occurred in IS9O. ,\nShe is survived by three cUioreti: Henry E.. Ed- j\nward X,.. who is United slut** Exprea street at !\nSparta, end Edith M.. who is the wifeo Or. Chaw. *\nH. Trowbridge. of Vine ua fn lid thnonss Mary- i\nlane, October kl, 1*93, General Rogers w .* united I\nin marriage to Mrs. Par line (Gordon) W ruble. ,\nORGANIZE FOR THE WINTER\nLecture and Entertainment Course\nElects Officers and Makes Ready\nA goodly number of gentlemen met\nby appointment and took action relative\nto the winter ei tertaffiment course.\nOfficers elected:\nFresident—T. O Mork.\nVice-President—O. G, Munson.\nSecretary -B.rlie Moore.\nTreasurer—Will F. Lindemann.\nExecutive Committee—W. U. Dysan. C. J.Smith.\nJ. E. Nt.mm, Henry Lindemann. Dr. J. H. Chase,\nG. F. Dahl. W. K. Cortland. Dr. W. M.Trowbridge.\nOfficers were authorized to push the\ncanvass for subscribers to the course,\nwhich is to consist of five excellent\nnumbers and be sold at the price of past\nsears, or $1.50 per ticket for the sea\nson. There will L ( three musical pro\ngrams—The Mozart Concert Company,\none of the best in the land, The Stroll\ners Quartet, The Lewis Concert Com\npany; one evening of impersonations by\nEllsworth Plumstead and a lecture by\nChancellor George 11. Bradford. The\nfirst number will come on Thursday,\nJanuary 22, with appearance of the Mo\nzart Concert Company, one of the lead\ning attractions in the Redpath bureau\nPast years Tave crowned the efforts\nof our peop e in this entertainment\ncourse and i very enterprising citizen\nshould lend a helping hand to this sea\nson’s efforts. Identify yourself with\nthis commendable work by subscribing\nfor tickets when solicitors approach\nyou.\nFirst Under the haw\nUnder the new eugenics law, which\nrequires a certificate from a physician\nafter a physical examination, before a\ncounty clerk is permitted to issue mar\nriage permit to a man. County Clerk\nMoore granted the first one on Tuesday.\nAnd happily it was to one of the most\nperfect specimans of manhood one could\nwish to look upon, a young fellow up\nwards of 30u pounds.\nThat the new statute is dreaded by\nthe average aspirant for matrimonial\nfavors is demonstrated by the fact that\nin November and December, 1912,Clerk\nMoore issued 40 licenses, while in the\nsame months in 1913 he put out 70.\nThe .aw and attitude of physicians\nand officials respecting the same is some\nwhat set forth on an inside newspage\nof today’s Censor.\nLecture Wednesday Evening\nViroqua music-loving people should\nnot neglect hearing Professor Dykema\nat the high school assembly room next\nWednesday evening, January 14. Prof.\nDykema is of the state university, is\nleader of the Madison choral union, and\na powerful, enthusiastic speaker. His\nlecture on music will be entertaining\nand instructive. Especially are those\nurged to attend who desire the orga\nnisation of a Viioqua choral union, this\nbeing the chief object of the meeting.\nA Man Everybody Knew\nThe Rev. J. D. Searles, a well known\nMethodist minister throughout this sec\ntion of the state, died at his home in\nSparta after a serious illness of many\nweeks. He was about 81 years of age\nand quite an eld settler and promin\nent minister in this part of the state,\nhaving been presiding elder of this dis\n< trie*\'as far back a* JB7d Mr Searles\nwt,“ very highly regarded both in the\nministry and with his large circle of\nacquaintances among the people.\nRenter Wanted at Once\nGood stock and tobacco farm at Pur\ndy, all equipped with marhiAffry and\nstock, 157 acres, fine spring water, etc.\nCall at once if interested, tor will sell).\nNellie Buckley, Viroqua.\nAppointed Assistant Postmaster\nBy authority conferred upon him un\nder civil service rules Postmaster Smith\nhas named Mr K M. Nye as his first\nassistant, Mrs. Nye being one of the\neligible names submitted.\nCome and Help Us\nWe want more help for tobacco sort\ning, both men and women. Come and\nsee us or write. The Bekkedal Ware\nhouse, Viroqua.\nFloyd Bowman returned from Min\nneapolis.\n-Peter S. Nelson is again clerk at\nHotel Fortney after a season on the\nfarm.\nGrand Army and Relief Corps held\njoint installation of officers on Monday\nnight.\nMrs. Dick of Madison is visiting\nMrs. Mary Beat and the C, F, Dahl\nfamily.\n—Thos Ellefson is at the old home\nin the town of Coon, today, attending\nfuneral of his aged father.\n-Miss Fay Smith want to La Crosse\nto attend Elkß reception and New Year\nball ar.d tie the guest of friends,\n—Stoddard village is shocked by the\ndeath of Mrs. Laedeke, who died sud\ndenly from heart failure, aged 78.\n\'—Mrs. C. VV. Lawton arrived from\nLa Farge to spend some time with her\nson Will ar.d daughter, Mrs. W. S\nProctor.\n—The child of Mr. and Mra. C. A.\nHiliupx, taker* sick while here with the\nmother, was able to be taken home to\nRichland Center.\nMr. J. A Porter af Chippewa coun\nty, and Mra. Mclntosh of Minnesota,\nare visiting at their parents’ home.\nHon. and Mrs. Hugh Porter.\nMartin Davidson autoed to Viola\nNew Years day Last Sunday they\nhad as guests their relatives, John and\nEmil Sveen and wives of Westby.\n—The limit of petty thievery and de- j\ngradation wbb reached when u party 1\ntook accumulated coins from sale of\nRed Cross stamps in the Richland Cen\nter postofflee.\nViroqua Implement Company hat)\nleaped ita business prop--ty and dis\nposed of tbe stock to Mr. H. G. Simp\nkins, a well-known traveling salesman\nfor Remlcy engines. Hi* family has\narrived from Minot, North Dakota, ard\noccupy the tenement house of Frank A.\nChase.\n—Viroqua will have a third hardware\nestablishment with the coining of\nspring Mayor August J. Smith, a bus\niness man here for a quarter of a cen\ntury, and his son-in-law, Chaa. A. Park\ner, the well and favorably known sales\nman They will open in the comer\nstand so long occupied by Mr Smith,\nwhich will be vseated by Anderson &\nSauer.\n—Those from outside who came to\nattend tbe funeral of General Rogers\nwere Congressman Each of LaCrosse,\nHon. A. H. Dahl of Westhv, W. J. F.\nBrown of Sparta, W. J. Thompson of\nNew Lisbon, Capt. D. G. James, M. C. |\nBergh and Louis T Johnson of Rich- i\nSami Center. Messrs. Johnson and |\nDahl were in General Pogers\' employ 1\nas clerk ■ r.ore than thirty years ago.\nESTABLISHED 1856\nHARDSHIPSJtf OLD DAYS\nAFFLUENCE PRODUCED BY IN\nDUSTRY AND ECONOMY\nA Foreigner Who Made Success in a\nStrange Land—A Life and Record\nWell to Emulate\nA final departure, a few days since,\nof William M. Bouffleur, for his newly\nacquired home in he state of Oregon,\nremoves from Vernon county ihe Uat\nmember of the family of the late Hon.\nPhilip Bouffleur. one of the foremost\nduring nearly six decades. Mr. Bouf\nfleur was known as one of the most\nsuccessful men in civil life this com\nmunity has produced, aid his activities\nceased with his death a year since.\nHis example may well be emulated.\nTo demonstrate the privations and hard\nships of pioneer days, and the success\nes brought by industry and economy,\nwe herewith subjoin the article below,\nwhich was real by Me. Bouffleur at an\nold settlers\' reunion lurid here in 1902;\nIn 1857, in company with A(Um Doerr. hi 9\nwife and two littlwairlA. now Mrs. Joseph and\nNeal Me Lee*, the vteamer Key City landed us\nat 2 o\'clock a. m . April Dth. a bitter cold ntjrhl.\nat Had Axe Oily, now Genoa The only hotel\nwas not even ilulutvd. We stored away our\nwives and children, took off our coats to keep\nthem warm, while Adam and I walked the\nfloor looking for morning: to come, for which\nwe were glad. After paying SI.OO each hotel\nbill John Given man took us to our destination\nat Springville, with hia horse team, which were\nrather scarce in those days. We were well\neared for by John Graham and his wife. Lam\nech Graham and James Harry were keeping\nstore at that time and t hired out for $l per\nday as shoemaker, anti remember well while\non my wav to Dr.buque for leather, a man on\nthe John Hayes farm gave mu S3O to buy him a\nbattel of pork. Another man at Genoa gave\nme money to buy him two sacks of corn meal.\nI worked for Graham A Harry only short\ntime, as they failed and left me without a coni,\nof money, no work, no friends, in anew coun\ntry. not able even to talk Koglish and in debt\n$:5 for oart of a house built for me to live in.\nThen it was that I h gan working for farmers;\nmy wife worked for folks for whatever they\nwere willing to pay us. We actually suffered\nfor the necessities of life. Finally we got S2O\nfrom the ea*t and a few dollars from the sale\nof a pair of shoes I hud made for my wife, hut\nshe insisted on turning them into money, that\nshe could go barefooted a while longer. James\nLowrie had lv?cn working for Graham * Harry\nand was in .*bout the same fix. financially, that\n1 was and 1 is wife, like mine, had been bare\nfooted tor some time. Mr. Huusmao. a former\nshoemaker of Viroqua let me have leather\nenough for a pair of shoes lor my wife, which\nI sold to Jim Lowrle for $3. Mrs. Bouffleur be\ning willing to go barefoot a while longer and\ninsisted that F L\'ake the shoes Or Mrs. Lowrie.\nWith this same JSS I wont to L.a Crosse on foot\nand carried home a roll of leather on u:. back.\nThis 1 did quite a number of times. I worked\nwith a determination to get a start. Many\ntimes I worked clear through the night, as l\nhad plenty to do. Awnau coming In the even\ning and wanting a pair of boots in tbe morning\nand having the money to pay for them. I got\nthem ready. Folks would talk among theta\nselves and wonder if that Dutchman over slept.\nThey could see my light and me working\naway, but like many others l fooled away some\nsix years building a hotel and other unpro\nfitable doings, so that all I had to show for my\nhard work was about skoo. and by that time\nquite a family, which seems to be the lot of\npoor men. My Income was light and my ex\npense* in proportion. Millinery bill for the\nseaaun was a ton cent straw hat with a live\ncent ribbon for our daughter Dora, which was\nall satisfactory. In 184 I bought out Mr.\nHardulf and startl\'d store keeping; went in\ndebt about s*.ooo. kept up my shop in connect\nion with the store, myself and t wo men running\nit while Mrs. Uouifieur. Nels Day and wife did\nthe work in the store. For a while after the\nstore closed evenings wo employed our school\nmaster to teach us English and other branches.\nBeing quite successful after a low vegr, I\nh light out Alex am! Will lain Dowrle and niov*\nod to our present Springville store. 1. ttfttr\nemployed four and five clerks, including Capt\nai*?* Lowrie, our wk*s running tu some lan.ooo\na year ror mute a nunl**? of years I wan\nproud of my business, customers coming from\nquite a distance— tisofea. Coon Valley, Liberty\n1 Pole. West Prairie Newton. Genoa. Kiekapoo.*\nCoon and Hound Prairie.\nThis busy life of 118 years of store keeping\nbad its ups and downs. I have been favored\nthrough these years by many friends, privi\nleges and honors, foi* which I feel grateful,\nand shall as long as l live. lam now 73 years\nold and feel my strength failing and must\ncome to th* conclusion that my race is nearly\nrun. but other wise I am happy and contented\nand glad I am with you on this occasion.\nJust Human Nature, That’s All\nOur young friend and popular jeweler,\nSam B. Lillis, has been under suspicion\nfor some time, and he stole a real\nmarch on the best of us when he stealth\nily made his wav to the county asylum.\nNew Yeat’s night, in company with his\nlady love, Miss Avis Evan 9, and before\nnear relatives, the magic words were\nsaid by Rev. C. E. Butters which unit\ned their fortunes for realities of life.\nIt was also the twenty-first wedding\nanniversary of Superintendent and Mr\nButters, hence a mutual extending of\ncongratulations and good wishes for tbe\nfuture, followed b y refreshments.\nLater a wedding dinner was given in\nhonor of the newly wedded by Mrs. Fred\nSlade, cousin of the groom, in which a\nnumber of relatives and invited guests\njdlned.\nSam Lillis is one of our most worthy\nyoung men, a carver of his own destiny,\nand ia creditably making his way to the\nfront in his profession and business.\nMay he continue to make good, is the\nCensor’s best wish, as it is of every\nacquaintance. The lady of his choice\nis a Tomah miss, a stenographer in the\noffice of A. J. Livingston for some\nmonths, who h3B made many friends\nhers.\nAuction Sale\nl Having purchased land near Marsh\n! held, where he v II \'.ioon move, Lem\nHayter will hold muo at the old Bid\ndison farm near Brookville, on Wednes\n|d-ty, January 14, when live stock, ma\nchinery ami many other things will be\nsold. Commences at 11 o’clock, free\nlunch at noon.\nPlenty of Activity\nLate case weather has furnished op\nportunity for all to finish taking to\nbacco from the poles, and that work ia\npractically over Long strings of teams\nare bringing in tbe bundle goods every\nday. Warhouses are busy sizing a\'..*l\nsorting, although there is still a short\nage of help here as elsewhere.\nWILL BUY HORSES\nThe undersigned will be at the stone\nbam in Viroqua, Saturday Next, Jan\nuary 10, to buy a car load of farm horses,\n1,100 to 1.400 pounds, serviceably sound.\nAlso a car of draft horses for city\ntrade, must be sound.\nTownsend & Jennings.\nI will be in Viroqua Monday, January\n12; the next day ut Read<town till 10\no\'clock a. m.. and Viola till 12:30 p. m.\nBring in your good horses and get the\nbest orices. H. E. Light.', 'batch': 'whi_doxy_ver01', 'title_normal': 'vernon county censor.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85040451/1914-01-07/ed-1/seq-1.json', 'place': ['Wisconsin--Vernon--Viroqua'], 'page': ''}, {'sequence': 1, 'county': ['Grant'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85033133/1914-01-07/ed-1/seq-1/', 'subject': ['Lancaster (Wis.)--Newspapers.', 'Wisconsin--Lancaster.--fast--(OCoLC)fst01307511'], 'city': ['Lancaster'], 'date': '19140107', 'title': 'Grant County herald. [volume]', 'end_year': 1968, 'note': ['Description based on: Vol. 2, no. 16 (Sept. 20, 1850) = Whole no. 69.', 'Editor: John Cover <1873-1876>.', 'Publisher varies.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Lancaster, Wis.', 'start_year': 1850, 'edition_label': '', 'publisher': 'J.L. Marsh', 'language': ['English'], 'alt_title': ['Herald'], 'lccn': 'sn85033133', 'country': 'Wisconsin', 'ocr_eng': 'ESTABLISHED 1843.\nSTRIKE NOT SETTLED\nIN COPPER COUNTRY\nFederal Mediator Fails to Bring\nPeace at Mines.\nPuts Blame Mostly on Operators—Gov.\nFeriis is Now Making a Personal\nInvestigation.\nHoughton, Mich., Jan. 5. —Efforts to\nend the strike of copper miners by\nconciliation failed. John B. Densmore\nof the department of labor so an\nnounced after a final effort to bring\nthe warring interests together.\nHe did not hesitate to Marne his\nfailure upon the uncompromising at\ntitude of the mine owners, who re\nfused to recognize the Western Fed\neration of Miners as a party to arbi\ntration proceedings or other peace\nprojects.\nDensmore Tells Story.\n“In a nutshell, the question was\nwhether the union men should go back\nto work with or without discrimina\ntion. The companies refused to do\nanything but discriminate against\nmembers of the union,” said Mr. Dens\nmore.\n“It means a struggle to the bitter\nend,” said O. N. Hilton, chief of coun\nsel of the Western Federation of\nMiners, who has represented Presi\ndent C. H. Moyer here since the lat\nter’s deportation. “The outcome is\ndue entirely to the attitude of the\ncompanies. They wanted everything\nand would concede nothing.”\nCompromise Is Rejected.\nThe union’s last word was an offer\nto withdraw the Western federation\nTom the field, its place to be taken by\n. union affiliated with the Michigan\nFederation of Labor, the United Mine\nWorkeis, with which the Western Fed\neration of Miners is affiliated, or some\nsimilar body. This was rejected ab\nsolutely by the companies.\nThe employing interest suggested to\nMr. Densmore that a secret vote of the\nmen on strike, if properly safeguard\ned, would show a majority of them in\nfavor of returning to work outside the\nunion fold. When this was broached\nto the federation men there was an\nimmediate declination to submit the\ncase to any such test. Word of the\nnegotiations was telegraphed to the\nsecretary of labor by Mr. Densmore.\nHe said that a full report of the ef\nforts made would be made by him aft\ner his return to Washington.\nThe strike has been in progress\nsince July 23. Now that Mr. Dens\nmore has given up and is going back\nto Washington, there are prophecies\nthat it will last much longer. J. E.\nRoach, a representative of Samuel\nGompers, president of the American\nFederation of Labor, said:\n“This strike will not be settled for\neight months. It will run longer than\nthat. It will go a year. The American\nfederation will aid the strikers, and\nother organizatinos will help.”\nAttack on Moyer Up to Grand Jury.\nThe Houghton county grand jury\nwas specifically charged by Judge H.\nH. O’Brien of the circuit court to in\nvestigate the kidnaping of Moyer.\nMoyer was forcibly deported, beaten\nand shot.\n“If the jury believes there is reason\nable amount of evidence pointing to\nward persons connected with the kid\nnaping, they are* to be investigated\nand indicted,” Judge O’Brien charged.\nThe grand jury is made up of James\nMacNaughton’s chauffeur, Edgar Bye,\nseveral mine superintendents and two\nSocialists. The evidence is being\nplaced before the grand jury by\nGeorge Nichols, a special prosecutor\nappointed by Governor Ferris to con\nduct the investigation.\nJudge O ltrien has been condemned\nby the mine mauagers and the mem\nbers of the Citizens’ alliance without\nmercy. Placards charging that he\ntried to mediate the strike in the\ncause of the Western Federation of\nMiners have been posted on the bill\nboards in Calumet township, and in\nthe Calumet & Hecla stamp mills one\nof the largest posters is displayed.\nFerris on Way to Calumet.\nCalumet, Mich., Jan. s.—Governor\nFeriis, Labor Commissioner Cunning\nham and Secretary Nesbit will arrive\nin the copper country tonight. The\ngovernor will prosecute a vigorous in\nvestigation of the strike in the hopes\nof bringing about a settlement. He\nis accompanied by several lower\nMichigan labor leaders.\nSilver Wedding.\nMr. and Mrs. Joe Biicb, of Bee\ntown celebrated the twenty-fifth an\nniversary of their wedding Friday\nevening, Dec. 19. A large number\nof relatives and friends were present\nto commemorate this happy occasion.\nMany useful and beautiful gifts were\nleft behind as a taken of esteem for\nthe good host and hostess who bad\njust passed the the twenty fifth mile\nstone of theii happy married life.\nNus Sed.\nHelter —“What sort of town is New\nYork? \' Skelter —"Judge for yourself.\nTwo of its burroughs are named aft*\ner cocktails.’—Judge.\nGRANT COUNTY HERALD\nSCHOOL NEWS\n“Are Our Public Schools a\nFailure 7“\nProbably at no time have the public\nschools been critizised so universally\nand indiscriminately as at tbe\npresent. Very much of this criticism\nis bad because it is unsound, untrue,\nand while objecting to tbe existing,\nhas nothing better to substitute. All\nof it is uDfortudate because it lowers\nthe value of a school education in the\nminds of unthinking people who need\nthe school the most. It is not at all\nunusual to find articles in any paper\nor magazine today bearing the title cf\nthis paragraph. Tbe following dis\ncussion which answers tbe question\nnegatively, written hy ,T. W. Red\nvay, is an extract from the Western\nTeacher” for December.\n‘‘l take New York City as an\nexample. Knocking New York schools\nis quite tbe customary habit, and the\nsmall army of efficiency experts can\nfind nothing good about them.\nThree quarters of a million pupils\nattend them and about twenty\nthousand teachers constitute the\nteaching staff. Not far from one\nthird of tbe enrollment cousists of\npupils of foreign birth or are tbe\nchildren of foreign born parents.\nAt the present time the parents are\nmainly Italians, Russian Jews,\nSyrians, Poles, and Greeks They\nare the unskilled laborers and tbe\nvital energy of the sweat shops. So\nfar as tbe parents are concerned the\nproblem is simple. They will live a\nwhile, herded as sheep are herded,\nthen they die, But their children\nare the greatest problem on earth\ntoday. Let us see the work of the\nNew Y 7 ork schools un them, by a\nstudy of the past.\nFifty years ago the Irish formed\nthe chief factor in the unskilled\nlabor population. Walk along any\nbusiness street and one might be sure\nof seeing signs reading— ‘Man wanted ;\nno Irish need apply. ’ Well, the\nadult generation lived and died; that\nwas all. Their children went to the\npublic scbcol. but they were never\nin any great proportion unskilled\nlaborers. The third generation of\nthese Irish immigrants is still living\nin New York City. Who are they,\nand what are they ’ The answer is\neasy : they are the greatest factor in\nthe political and industrial energy of\nthe state—senators, congressman,\nengineers, contracture, clergymen,\neducators and railroad builders. And\nthe Jews of three generations ago?\nbankers, merchants, and capitalists.\nBoth nationalities are furnishmg tbe\nred blood of tbe country today.\nPardon another heresy ; the red blood\nis worth a lot more to the country\nthan the blue blood.\nNow it has been shown that if the\nhuman mind goes without training\nbetween the ages of six and twenty it\nceases to grow. Suppose that all these\nyouugsters of foreigD born parentage\nbad grown up without school train\ning. The answer to this is also easy ;\nthey would have been just what\ntheir grand parents were—the flotsam\nand jetsam of civilization.\nIn the city of Mount Vernon. New\nYork, it costs about six hundred dol\nlars to steer a youngster through the\nelementary aud high schools The\naverage income of one hundred men\ngraduates of the high schol is not far\nfrom fifteen hundred dollars a year.\nAt five percent this is the income on\nthirty thousand dollars. Ia other\nwords, we invest six hundred dollars\nand tbe product commands just fifty\ntimes that sum What a failure!”\nTHE WINTER SHORT COURSE\nMention was made in this column a\nshort time ago of the winter short\ncourses which were being introduced\nin a number of Wisconsin high\nschools this year. From the reports\nia the educational papers, the idea is\nnot wholly confined to this state.\nThe Geneseo, Illinois, Township High\nSchool has begun such a course for\ncountry boys. The course started\nDecember first with an enrollment of\ntwenty-four boys, ranging in age\nfrom fifteen to twenty years, and in\nadvancement, from the eighth grade\nto the third year of the high school.\nThe establishment of the course\nthere is the result of a definite de\nmand on the part of the farmer tax\npayers who have not been receiving\nthe benefits they tbiuk tbey ought to\nhave from the money they are pay\ning, because they need their boys for\nfall and spriug work on the farms.\nInquiries made by Principal Beatty\ndeveloped the fact that there were\nenough of the country boys interest\ned in the proposed coarse to warrant\nthe undertaking, hut it was not ex\npected that the enrollment for the\nfirst year would be more than twelve\nor fifteen.\nFive classes have been organized\nand each student is enrolled for four\nof the five; all but one are in the\nagriculture class. A graudate of tbe\nPUBLISHED AT LANCASTER, WISCONSIN, WEDNESDAY, JANUARY 7, 1914\nAgriculture department of the Uni\nversity of Illinois, a practical\nscientific farmer, has charge of the\nwork.\nIt is very probable that winter\nshort courses will become general\nThe state education department of\nthe state of New Y T ork has a division\nof visual instruction which supplies\nlantern slides and photographic prints\nto schools, on the condition that they\nshall be nsed for strictly free instruc\ntion. This year the department will\nlend to schools for this purposa 200,-\n000 slides, covering topic in history,\nyeography, literature, and the in\ndustrial arts.\nA department of visual instruction\nhas very recently beeu introduced in\nthe University of Wisconsin ; Prof.\nDudley of the biology department of\nthe Platteville Normal has been\nchosen to take charge of tbe work.\nTbe first home game of tne season\nin basket ball will be played at the\nopera house Friday evening, Jan. 9,\nbetween Lancaster and Potosi.\nOUR NEW BIG STORY.\nThe continued story. ‘‘The Honor\nof the B’g Snows,” which has been\npublished in The Herald for the past\nthree months and has been perused\nwith much pleasure by thousands of\nour readers, was ended last week.\nTb is week we have a rare treat for\nour readers in the commencement of\none of the very best stories of tbe\nyear, the scenes of which are located\nat the other end cf the earth, and\nwritten by one of tbe most popular\nauthors in America—Rex Beach,\nAuthor of “The Barrier,” ‘‘The\nDanger Trail ” etc. The name of\nthis new story, the opening chapters\nof which will be fouud upon another\npage of today’s paper is ‘‘The Ne’er\nDo Well,” a romance of the Panama\nCanal in which a young, athletic\nAmerican, who ha 9 become a little\nwild in college days, gets in bad with\nbis rich father and finds himself\nstranded in Panama —‘‘broke ” The\nseries of adventures that follow show\nthe sterling worth and courage of the\nyonng fellow, who gets into and out\nof all sorts of scrapes, and finally\nwins out and proves himself an\naltogether admirable fellow. Don’t\nmiss reading this big story, which\nbegins in Tne Herald THIS WEEK.\nADVERTISING CALENDARS.\nDuring tbe past year The Herald\nfurnished to the business touses of\nLancaster and other towns in the\nvicinity over SI4OO worth of advertis\ning calendars. Owing to the arrange\nment we have established for buying\nthese, getting them direct from one\nof tbe largest iuiportiug and manu\nfacturing establishments of such goods\nin the United States, we have been\nable to cut out tbe usual middle\nman’s profits and supply them to our\ncustomers at a price greatly below\nwhat other calendar salesmen ask for\nsimilar quality. We have ar\nranged to represent the same firm\ntbe coming vear and our representa\ntives will at an early date be prepar\ned to show the new things for 1915.\nTbe most popular class of goods in\ntbe entire line the past year has\nbeen the wall pockets, all made in\nGermany, which are of practical use\nin every home in addition to their\nbeauty The assortment to be sub\nmitted for 1915 is larger and more at\ntractive than ever, the colorings being\nsomething wonderful and beautiful.\nThe new samples are now here\nand will be ready for showing to\nprospective customers within a few\ndays We shall be glad to have our\nline compared both for quality and\nprice, with the goods of any salesman\nwho may come into this territory\nduring the coming year, confident\nthat we can show, as we have during\nthe past year, that we have a larger\nand finer line than any of them and\nat lower prices.\nThis new lot of samples, for 1915,\nincludes hundreds of designs, in goods\nof every class and a wide range of\nprices—Wall Pockets, Tissue Novel\nties. Cut Outs, Imported and Domestic\nHangers, tinned at top and bottom,\nhundreds cf designs on card boards,\nDesigns mounted on mats and execut\ned by the four color process, the\ndainty hand-painted DeLuxe line,\nfans, leather novelties, etc.\nIt is a large and beautiful collec\ntion and the prices are such that we\ncan save our customers money on\ntheir purchases, as we dil the past\nyear. We shall be glad to receive\nthe home patronage and to show the\ngoods at any time desired.\nTHE HERALD.\nFARM FOR SALE—Farm of the late\nBen Bass, Jr., consisting of 160 acres,\nwith good buildings and improve\nments, located about three and one\nhalf miles southwest of Lancaster.\nApply to Joseph Bass, Lancaster,\nWis. 45w3c\nObituary—John H. Bennett.\nJohn H. Bennett was born in Corn\nwall, England, December 24, 1846.\nHe was brought to America with his\npaients when but six months old and\nlived with them in New York two\nyears. He had been a resident of\nSouthwestern Wisconsin forty years—\ntwenty-seven of which he resided in\ntownship of Lancaster. At tbe\nMethodist parsonage in this city he\nwas married on January 1, 1873, to\nMiss Eliza C. Keretzer. Fonr chil\ndren came to bless their home, tbe\neldest, a sweet little girl of two and\none-half years, guing at that early\nage into the heavenly home. The\nonly other daughter, Mamie, in tbe\nbeauty of early womanhood died after\na lingering illness and mourned cf\nmany, April 7, 1908. Suddenly May\n26, 1913 while on a visit to tbe son\nPhil, wbb lived at Mather, this state,\ntbe beloved wife and mother took her\ndeparture for that land from whence\nnone return. Tbe dear body was\nbrought to Lancaster that it might\nrepose beside ber children. The bus\nband was broken hearted and would\nnot be comforted. He had been\ncrippled by disease and for many of\ntbe daily comforts of life was de\npendent upon the loving, faithful\nministries of his wife. None could\ntake her place. For some months be\nremained with his brother aDd sister,\nMr. and Mrs. Philip Beunett where\nhe received all the kindly attention\nthey could bestow. Then the son\nPhil came back to the tld borne in\nthis city where he and his wife tried\nto make tbe father comfortable aud\nhappy But he mourned incessantly,\nand prayed to be delivered of this life\nthat be might be reunited with his\nloved ‘‘Eliza ” Existence tc bim\nwas only a burden without her com\npanionship Had he been strong and\nable bodied, he probably would have\ntaken up bis cross and borne it brave\nly as others do under irreparable\nlosses. In his decrepit state is it any\nwonder be so mourned so loyal a help\nmeet as Bennett was. The lov\ning Father noted his sorrow, and\nheeded tbe cry of bis heart. On the\nmorning of December 19, 1913, while\nsitting in bis chair with not a long\nwarning of his near approach, tbe\ndeath angel touched bim gently and\nhe passed peacefully away. Tbe sons\nGeorge us Mather and Phil of Lancas\nter, with their families other rela\ntives, and friends sorrow for their\nloss—and yet rejoice that the parents\nwere not long divided. Rev. Beavins,\npastor of tbe M. E. church where last\nservices were tendered, spoke beauti\nfully of tbe re-union —tbe joy of the\nfirst Christmai together in a land\nwhere pain of parting never comes.\nThe floral offerings were many.\nFor these and tbe many other kindly\nand consoling offices of friendship tbe\nsurviving relatives are very grateful.\n“Some fair tomorrow we shall know\nLife’s mysteries that hurt us so:\nThe love and wisdom in disguise\nWill then be open to our eyes.”\nb. d. a.\nRaincoats at Ten cents.\nA man in Illinois has invented a\nprocess to produce and market a rain\ncoat that can be retailed from 10\ncents up. These coats are made in\nthe regulation slip on style, from an\nintegral part of waterproof paper.\nTheir production cost will be no\nhigbtr than 5 cents each, and even\nthat figure can be lessened. The coat\ncan be folded np to fit in any ordinary\neuvelope and is particulary adapted\nto bring carried in bandoags\nThe coats can be made of oiled\npaper or paraffin, vellum parchment\npaper, which gives the appearance of\nsilkiness at a short distance. Tbe\noriginal idea was for the coats to be\nworn only once, but after a trial, it\nwas demonstrated tbat they could be\nutilized successfully two or three\ntimes. The coats are re-inforced\nwhere the buttons are sewed on and\nalso where the button holes are cut.\nThere are only two seams, both\nrunning underneath tbe arms and\ndown the sides. These seams are\ncemented by ordinary glue.—New\nYork Times.\nMethodist Church.\nThos. S. Beavin, Pastor\n9:30 Bible School.\n10:30 Morning Worship. ‘‘Lest\nWe Forget ”\n6:30 Epwortb League service.\nLeader—Miss lonia Roesch. Subject\n—Tbe Epwortbian and His Paper. ”\n7:30 Evening service. The Rev.\nW. F. Tomlinson, the District Super\nintendent of Platteville District, will\npreach and administer tbe Sacrament\nof the Lord’s Supper. Rev. Tomlin\nson’s subject will be ‘‘The Message\nof the National Convention of\nMethodist Men.”\nThursday 7 :30 weekly prayer meet\ning. Read Acts 3 and 4.\n8:30 Sunday School Teacher’s meet\ning.\nFENNIMORE AIDS\nELECTRIC RAILROAD\nA special election to vote upon the\nproposition of bonding in aid of the\nChicago Short Line railroad was\nheld in the village of Fennimore on\nTuesday of last week and was carried\nby a big majority, the vote being 188\nto 45. The municipalities are all\nfalling in line now. Glen Haven\nwill very likely be added to the list\nthis week.\nNotable Annual Issued by Grant Coun\nty Superintendent.\nThe Educational News Bulletin,\nissued by the state superintendent of\nschools has. in its edition of Dec. 22,\nthe following allusion to the annnal\nreport of County Supt. Brocbert,\nrecently printed at The Herald office:\n‘‘Supt. J. C. Brockert, of Grant\nCounty, has issued an annual report\nand school directory for 1918 which is\nvery comprehensive and well il\nlustratesd. A glance through this\npublication gives a good idea of the\nprogressive work that is being\ncarried on. especially among the\nrural schools of the county. The\nvarious contests, such as those in\nspelling and corn raising are given a\nprominent place in the report. A\npublication of this kind cannot help\nbut be of great value in bringing\nabout general sentiment favorable to\nconcerted action toward progress in\neducation. ”\nBURTON.\nSpecial Correspondence to the Herald.\nMr. and Mrs. Thomas Stoney and\nMr. and Mrs. Edw. Leindecker went\nby auto to Cuba City New Year’s\nday to spend the day with relatives\nthere.\nBurdean Schuelter left Sunday\nfor Sc. Paul after a few weeks visit\nwith her sister, Mrs. Henry Sehaal.\nLyle, little son of Wm. Elwell\nwas riding to school with one of the\nneighbors and in some manner fell\nfrom the buggy and broke his arm\nnear the wrist. Dr. Hartford re\nduced the fracture and he is getting\nalong nicely.\nJoseph Martin has been under the\ndoctors care the past week. He\nhas been troubled with a bad pain\nin his chest. Hope to see him\naround again soon.\nA baby daughter came to the\nJames Elwell home on New Year’s,\nday and also a daughter to the\nChas Haas home on Jan. 2nd.\nMrs. Ritmeyer, who has made\nher home with her daughter, Mrs.\nFred Bartels, died last Sunday\nmorning. Funeral services were\nheld here, Tuesday. She was 91\nyears of age.\nMrs. Sam Pauley, Hazel and\nSylvia Bossert were shopping in\nDubuque, last Monday.\nMolly Young has returned from\nChicago where she has been visiting\nfor the past few weeks.\nHenry Mink and family and Mr.\nand Mrs. George Slaught attended\nthe Eastern Star installation last\nSaturday evening.\nArthur Turner, of Dubuque,\nspent last Sunday with his parents,\nMr. and Mrs. G=jo. Turner.\nHenry Sehaal and family, Mrs.\nWm. Kratz and Martha Hutchins\nwere Sunday afternoon callers at\nHenry Mink’s.\nMrs. Morgan Reed Sr. returned\nSunday after a two weeks visit\nwith her son Elmer at Nelson.\nThe local Camp of Woodman will\nhold their installaton of officers,\nFriday evening, Jhd. 16th. An <y\nster supper will be served. Eden\nmember may invite one guest.\nMrs. Alice Reed returned home\nlast Saturday after a two weeks’\nvisit with relatives in Chicago and\nBattle Creek, Mich.\nPresbyterian Church.\nPresbyterian chnich, Jan. 11.\nSunday school 9:45. Preaching\nservices in the English language at\n10 :45.\nFarm For Sale.\nI offer for sale my farm of 100\nacres. Luca ted one mile due Suuth\nof the Lancaster court house. For\nparticulars inquire of\nJ. Allen Vincent,\nLancaster, Wis.\nRoute No. 7. 43w4*\nNotice to Taxpapers.\nI will be at the Union State bank\non and after January 2d 1914 for the\ncollection of taxes for North Lancas\nter. Frank Beetham,\n44w2* Treasurer.\nKeep a Thankful Heart.\nThe unthankful heart, like my fin\nger in the sand, discovers no mercies;\nbut let the thankful heart sweep\nthrough the day, and as the magnet\nfinds the iron, so will it find in every\nj hour some heavenly blessings; only\nthe iron in God’s sand is gold. —Henry\n\' Ward Beecher.\nCO. SUPT. BROCKERT\nIS FRIEND OF THE BOYS\nWill Assist Them in Getting the;\nShort Course\nAt The Agricultural College in Madison\nWhich Begins January 26—Ma:x.y\nWill Attend.\nCounty Superintendent Brocket\nsending out today a letter to the boys-.\nof Giant county, inviting them ts goa\nwith him to MadisGn and attend tht-\nBoys’ Short Course at the College of\nAgriculture of the University of\nconsin which begins on JaDVAiy\nand continues until January 31.\nweek will be spent in studying\noats, barley, alfalfa and otbezr aub»-\njects, and the boys will have m op\nportunity to see and hear ma:iy. in -\nteresting things connected wafcfa. shafc\ngreat institution of learning, as wall\nas to visit the new capitol fcsi d ug,\none of the finest in the United whites,\nThese short courses in\nare great aids in promoting siieatiiat:\nagriculture, and in the preeeai\nit is the man ‘who has an inde33taac&-\ning of scientific and intensive\nwho reaps tbe big results from thes\nfarm.\nSupt. Brockert. through his.county\ncorn contests, has awakened a great\ninterest among the boys o$ Grant\ncounty, aod the effort he is new mak\ning in regard to this short conrso is\none which caonot fail to produce good,\nresults. He will accompany tbe\nboys, leaviog Lancaster at aoan on,\nMonday, January 26 and will; assist;\nthem in securing room and beard and\nto arrange for their enrollment, in;\nthe work at the college. Tifrey wliU\nremain at Madison until Saturday\nmcroing, Jan. 31 returning hare- on,\nthe noon train that day. He states*\nthat the expense last year for nooEu,\nbeard and railroad fare for boys who\nwent from here, was about oth\nA number of noys have already ex\npressed their intention of going this,\nyear and others are invited to eor&~\nmunicate with Mr. Brockert in thfa\nnatter at one*?.\nROCKVILLE.\nSpecial Correspondence to the Hera!&\nMisses Bernice Dawson and Maml\nFinney, of Lancaster, spent a few\ndays last week at the Louis Wolf\nhome.\nMr. and Mrs. Roggie Horner and\nlittle son, of Dubuque, returned\nhome Saturday after a pleasant two\nweeks’ visit at the Kerkenbusb and\nHorner homes.\nToe Misses Alberta aDd Gertruda\nScanlan, of Fennimore, and Ruth\nQuick, of Park Rapids, Minn., spent\nseveral days of last week at the Up\npen a home. Miss Quick letc for\nChicago Tuesday where she will\ntake a three years’ course to be\ncome a trained nmee at Wesley*\nhospital.\nMiss Laurel Busuh returned to*\nPlatteville Sunday to resume her\nstudies at the Normal.\nHenry Uppena visited relatives*\nand friends at Cassville last week.\nMiss Leona Kitto, of Boice Prair\nie, spent a few days last week at:\nthe Geo. Shaw home.\nMaster Robbie Dawson, of Lan\ncaster, visited his Grandma, Mrs.\nHenrietta Wolf last week.\nThe property of the late Edward\nWickeDdoU, which was sold at pub\nlic auction Dec. 22, was purchased\nby Geo. Shaw and Jno. Wilkinson.\nMiss Mattie Palmer returned Sun\nday to resume her duties as teacher\nat British Hollow after spending her\nvacation at her home m Fennimore.\nMrs. Chas. White, of Buena Vista*\nis seriously ill; a trained nurse from\nDubuque is caring for her. Her\nmany friends wish her a speedy re\ncovery.\nSchool opened Monday morning\nafter a two weeks’ vacation which\nwas enjoyed by teacher and pupils.\nHowever, 9 o’clock Monday morn\ning found everyone in their old\nplace with a bright face and all re\nsolved to have a perfect record of\nattendance this vear.\nWillie Dunn is spending his wint\ner vacation here.\nFrank Vesperman returned to\nFennimore Sunday where he i% prin\ncipal of th * grades.\nMr. and Mrs. Edwin Hubbard\nhave gone to St. Paul for a visit\nwith their daughter, Mrs. Hillman..\nTbe First Baptist Church.\n10:00 o’clock Sunday SchooL\n11:00 Morning Worship.\n3:OC P. M. Preaching service at\nDyer schoolhouse.\n7:30 Evening service.\n7:30 Biole study and prayer each\nnight this week at the church.\nAll are invited.\nVOL. 71; NO, 4£', 'batch': 'whi_kenyon_ver01', 'title_normal': 'grant county herald.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85033133/1914-01-07/ed-1/seq-1.json', 'place': ['Wisconsin--Grant--Lancaster'], 'page': ''}, {'sequence': 1, 'county': ['Wood'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85033078/1914-01-08/ed-1/seq-1/', 'subject': ['Wisconsin Rapids (Wis.)--Newspapers.', 'Wisconsin--Wisconsin Rapids.--fast--(OCoLC)fst01224880'], 'city': ['Wisconsin Rapids'], 'date': '19140108', 'title': 'Wood County reporter. [volume]', 'end_year': 1923, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Description based on: Vol. 1, no. 11 (Feb. 17, 1858).', 'Publisher varies.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Grand Rapids [i.e. Wisconsin Rapids], Wis.', 'start_year': 1857, 'edition_label': '', 'publisher': '[J.N. Brundage]', 'language': ['English'], 'alt_title': ['Semi-weekly reporter'], 'lccn': 'sn85033078', 'country': 'Wisconsin', 'ocr_eng': 'A. L. FONTAINE, Publisher GRAND RAPIDS, WOOD COUNTY,\nFIRST MEETING GE\nCOUNCIL IN 1914\nMayor Delivers Special Message\nto City Fathers\nALL MEMBERS PRESENT\nThe first meeting of the city coun\ncil for the year 1914 was held last\nevening. Every member was pres\nent at roll call. The mayor started\na precedent by delivering a message\nto the council on what should be\ndone during the new year. The mes\nsage in lull will be found further\nalong in this story.\nThe Council passed a resolution\nunanimously to set aside each year\n$•"(,000 as a sinking fund toward the\nerection of a modern city hall.\nit was also decided, by a vote of\n14 to 2 (Ketchum and Whitrock\nvoting no) to pave Second street\nfrom The First National Bank to\nBaker street, including Market\nSquare, with brick and to pave Grand\nAvenue from the C. & N. W. rail\nway to the C. M. & St. P. railway\nwit h brick.\nAmong the bills allowed were a\nnumber for quarantine.\nThe Mayor’s address in full follows\nGrand Rapids, Wisconsin.\nJanuary 6, 1914.\nTo the Common Council of the City\nof Grand Rapids,\nGrand Rapids, Wisconsin.\nGentlemen:\nTh year 1913 has passed into his\ntory. Wdiile the Council has ac\ncomplished a good many permanent\nimprovements for the City of Grand\nRapids, they have also made a fail\nure of the Asphaltum Macadam pav\ning, for which 1 lay the responsibili\nty mainly to the abutting property\nowners, for signing for what they\nhave received, but the Mayor of the\nCity receives the blame for every\nbody\'s action, r;gh‘ or wrong.\nI would like to recommend the fol\nlowing for your consideration:\nEconomy.\nCurtail expenses as much as pos\nsible. Economize as much as pos\nsible, in every City Department. Do\nnot spend too much money on streets\nunless the water and sewer mains\nare already established in said street.\nPaving.\nFor quick action, to begin next\nspring, to pave Second street from\nthe corner of the First National\nBank to Geo. T. Rowland & Sous\nstore, including Market Square. Al\nso to pave Grand Avenue from the\nChicgao & Northwestern depot to\nRICH SCHOOL\nBEATS ALUMNI\nFast Basket Ball Game Friday\nNight-The Score Was 13 to\n10.\nThe School basket ball team\nwon. from Alumni Friday evening by\na score of 13 to 10.. This is the first\ntime in seven years that the trick\nhad bean turned by the high school\nteam. The Almnnilead at the end\nof the first half and it looked at that\nperiod ast though they might come\nthrough again as winners, but the\nshift In the line up off the school\nteam worked wonders and they won\nout by a margin of three points. It\nwas a close and fast game and those\nwho saw it were well repaid for at\ntending.\nBoth the short hand writers en\ngaged by the Alumni were discharged\nat the end of the first half. An ef\nfort was made to get an armless blind\nman to chalk up the Alumni score\nin the last half. After the game the\nmembers of the alumni felt about as\nhappy as a man suffering with in\nflammatory rheumatism and St. Vitus\ndance at the same time.\nThe line up of those who lost the\ngame was :\nRagan—Frd.\nWeeks —Frd.\nMohlke —C.\nNat wick —C.\nMohlke —C.\nJohnson —G.\nChristian son—G.\nThe line up of the victorious nigh\nschool was;\nStamm —Frd.\nJohnson. M. —Frd.\nHatton. —Frd.\nSmith—-C.\nBabcock—G.\nRidgnian—G.\nNat wick —G.\nIt will be noticed that each side\nshifted the men. Following the\ngame, a social was held in Witter\nhall Music was furnished by the\nSaecker orchestra and every one had\na fine time..\nThe next game in which the local\nhigh school will play will be at Stev-\nWOOD COUNTY REPORTER.\nthe Chicago, Milwaukee & St. Paul\nsuch paving to be of brick only. Con\ntracts should be let for paving as\nsoon as possible, so as to begin\ndevelopmnets in the spring. This is\nmost necessary.\nPaving Extensions.\nExtend pavingone block each way\nnorth and south from Grand avenue,\non First, Second, Third and Fourth\navenues. Also extend paving from\nour present brick paving, as follows:\nSecond street south, one block; Vine\nstreet east, one block; Oak street\neast, one block; Baker street east,\nto corner of Seventh street.\nSprinkling.\nThe city ol Grand Rapids to do\nits own sprinkling, with water or oil,\nms the City Council may decide, for\nthe particular locality, the same to\nbe charged up its pro rata to the\nabutting property owners, on the tax\nroll.\nCleaning.\nOur main streets already paved\nbe kept clean from droppings and\nrefuse. One man to he hired for each\nthe East and West side, by the job,\nfor a period of eight months of each\nyear, to be let to the lowest bidder,\nto attend to this matter.\nSewers.\nAll our new main sewers to be\nhereafter constructed, are to be not\nless than twenty-four inch pipe, and\nnot less than six feet deep, to avoid\ntrouble.\nWaterworks.\nThe water mains to be extended\nin Grand Avenue, from Seventeenth\nAvenue to Thirteenth Avenue, to en\nnble all citizens ’•©siding n Seven\nteenth Avenue to connect with City\nwater, as all their water wells are\ninsufficient to supply them with\nwater, on account of the Seventeenth\nAvenue sewer constructed last year.\nCity Hall.\nBeginning 1914. to 1918, Five thou\nsand dollars to be set aside every\nyear as a sinking fund for a City\nHall to be erected in the near future,\nand Acting City Comptroller to be\ninstructed to include said Five\nthousand dollars in the City Budget\nfor the years 1914 to 1918 inclusive.\nThis will give a sinking fund of\ntwenty-five thousand dollars for a\nCity Hall.\nens Point when they meet the Nor\nmals. The date has not been, set as\nyet.\nDeath of Mrs. Cordelia Basset\nThe many friends of Mrs. Cordelia\nBassett will be pained to learn of\nher death which occurred at her\nhome at 907 Third avenue north,\nwest side, Tuesday morning,, January\n6, at three o’clock. She was sick\nonly nine days with gall stone trou\nble, and most of her friends thought\nshe was on the road to recovery\nwhen she suddenly took worse and\ni passed away. She was bom in South\nI Haven, Mich., January 31, 1866, and\nI was forty-seven years, eleven months\n\' and twenty five days old when she\ndied. Her husband prceeeded her in\ndeath about four years ago. They\nwere married in Grand Rapids about\ntwenty-nine years ago last May. She\nleaves one sister, Mrs. E. E. Herrick\nat Nekoosa. She was a faithful and\n(efficient member of the Congrega\n| tional church in this city and in every\nI way a lovely Christian woman. She\nwill he greatly missed by her sis\nter and all neighbors and intimate\nfriends who enjoyed her acquaintance\nThe funeral service will take place\nThursday afternoon at two o\'clock,\nfrom the house and at two-thirty\n\' from the Congregational church, Rev.\nR. J. Locke officiating. Burial will\ntake place in Forest Hill cemetery.\nDENIES SUICIDE STORY\nIn an interview with Otto Hemschel\nfather of the girl who was said to\nhave attempted to commit suicide\nlast Saturday night. Mr. Hens.hel\nstated to a Reporter representative\nthat he had never beaten the girl,\nbut admitted that about a year ago,\nhe had slapped each of his two chil\ndren, but that this was the only\ntime he had ever punished them. He\nfurther said that he did not raise\na row over the girl’s going to a\npicture show, but he did a.sk her\nif she had gone with a certain per\nson, whom he had forbidden her to\nassociate with and that site denied\ngoing with this person. He then told\nI her that if she was telling a lie to\nlook out. He said the girl was ner\nvous and easily excited and that the\ncity health officer had recommended\nj that she\'drop some of her studies in\n[school because of her nervous con-\nA\nEntered June 12, 1903, at Grand Rapids, Wisconsin, as second-class matter, under act of congress of March 3, 1879.\ndition.\nHe said the girl left the house on\nSaturday evening following his ques\ntioning of her going with the pre\nson objected to. After finding the\ngirl, he stated that she said that she\ndid not know- what shewas doing.\nMr. Hensehel said that his children\nhad no reason to be afraid of him\nacd that it was because of her ner\nvous condition, that Elizabeth wan\ndered down to the river.\nThe police officer bears out the\nstatement that the girl was sorry\nfor what she did. The officer states\nthat hte girl made this remark: ‘‘Pa,\nI am sorry. I did not realize,.- what I\nwas doing.”\nPARCELS OF GAME\nIIISTBE MARKED\nLocal Office Receives Orders\nFrom Postmaster General\nDISTANCE ALSO RESTRICTED\nFresh Game May Not be Mailed for\nLocalities Further Away Than\nthe Second Postal Zone.\nTo prevent the shipping by parcel\npost of game birds out of season the\npost office department by a recent\nruling has debarred the shipping of\ngame of any type except when the\nparcels are plainly marked on the\noutside as to the actual nature of\nthe contents.\nFor reasons that will be obvious\nto the reader no parcels containing\nfresh game will be accepted for trans\nmission beyond the second postal\nzone. Through the courtesy of Post\nmaster Nash, The Reporter has been\nfurnished with a copy of the recently\nreceived order from the postmaster\ngeneral’s office, bearing on the mat\nter. It is as follows.:\n“Postmasters shall not accept for\nmailing any parcel containing the\ndead bodies or parts thereof, of any\nwild animals or birds which have\nbeen killed or are offered for ship\nment in violation of the state, terri\ntory or district in which the same\nare killed or offered for shipment\nProvided however that the foregoing\nshall not be construed to prevent the\nacceptance for mailing of any dead,\nanimals or birds killed during the\nseason when the same shall be law\nfully captured and the export is not\nprohibited by the law in the state\nterritory or district in which the\nsame are captured and killed.\n“Parcels containing the dead bod\nies of any game birds or pants there\nof including furs, skins, skulls or\nmeat ctf any game or wild birds\nor parts thereof including the skins\nand plumage may be admitted to the\nmails only when plainly marked on\nthe outside to show the actual na\nture of the contents and the name\nand the address of the sender or\nShipper. Provided, however, that no\nparcel containing fresh game in any\nform he accepted for transmission be\nyond the second zone.\n“Postmasters desiring additional in\nformation on this subject should\naddress the Third Assistant Post\nmaster General, Decision of Classifi\ncation.\n“Note: —Sections 242, 243 and 244,\nAct of March 4,19 Oft, 35 Stat., 113.7\nstate commerce the dead bodies or\nparts thereof, of any game animals\nor wild birds which have been killed\nor shipped in violation of the laws\nof the state, territory or district in\nwhich the same were killed or from\nwhich they were shipped.”\nICE MACHINE CO.\nDIOECIOUS MEET\nNeighboring City Wants Plant\nMoney Ready\nA meeting of the directors of the\nRoyal Ice Machine Company was\nheld at the Citizens National Bank\nFriday evening. A call was issued\nfor a levy of ten per cent of the\nsooth. The directors voted to fin\nish up five machines as soon as pos\nsible. Mr. Mitche’l, of the exten\nsion division of the State University,\nattended the meeting and spoke very\nhighly of the ice machine.\nSome of the citizens of a ne;ghbcr\ning city want to have the plant that\nmanufactures this ice machine locat\ned in their city. They have gone\nso far as to say that they will back\nit financially. Its an infant industry\njust now, but the wise people in the\nneighboring city see the possibilities\nin it and are making a decided ef\nfort to obtain this industry from\nGrand Rapids.\nENTERTAINS\nMrs. E. M. Hayes entertained at\na Daisy Chain party at her home on\nFirst avenue south, Monday evening.\nThe evening was pleasantly spent in\nplaying Rummy. First honors were\nawarded to Mrs. Dan Noltner. De\nlicious refreshments were served and\na delightful evening reported by ail\npresent.\nWISCONSIN, THURSDAY, JANUARY 8, 1914.\nFARMERS\' COURSE\nTO BE HELD HERE\nBig Gathering of Farmers Ex\npected Next Week-Prizes\nWill be Given.\nThe Farmers Course under the aus\npices of the Grand Rapids Bankers,\nWood County Training School, com\nmittee of Wood County Farmers and\nCollege of Agriculture will be held\nin the Bijou theatre on Wednesday,\nThursday and Friday, January 14. 15\nand 16. All the sessions of the\ncourse will be held at the Bijou, ex\ncept the evening session on Thurs\nday, which will be held at Daly’s\ntheatre.\nThe farmers course is free to ev\neryone and is offered only for the\ngood it may do in helping the far\nmers to unite for the common wel\nfare and in studying problems wiht\nwhich they all must grapple.\nThe best authorities in the state\nwho may he relied upon to conscient.\nionsly serve the public interest will\nhave places on the program.\nThose under whose auspices the\ncourse is held want everyone to at\ntend this course and want to make\nit the greatest farmers meeting ever\nheld in Grand Rapids.\nThe farmers are urged to bring in\nspecimens of potatoes, corn and oth\ner farm produce. On Friday after\nnoon a prize of $5 will be given for\nthe best colt exhibited, provided that\nthree or more colts are shown,. A\nfew good horses are also desired for\nexhibition. This is a very good time\nto advertise what you have. Tell\nyour neighbors about this course\nand be sure and come to it yourself.\nThe program for the three days\nis as follows;\nProgram:\nWednesday, January 14.\nSoils and Potatoes.\nv\nId a. m. Standard Commercial\nVarieties of Potatoes —Prof. J. G.\nMilward.\nThe Improvement of Wood) County\nSoils—H. W. Ullsperger.\n1:30 p. m. Community Effort for\nPotato Improvement—Prof. J. G. Mil\nward.\nGreen Manuring on Sandy Soils —\nH. W. Ullsperger.\n8 p. m. Social Life in Rural Com\nmunities —Prof. C. J. Galpin.\nThursday, January 15.\nFarm Crops.\n10 am. Essentials for Success\nwith Alfalfa —Prof. R. A. Moore.\nJudging of Exhibits.\n1:30 p. m. How to Handle the\nCorn Crop—Prof. R. A. Moore.\nAnnual Meeting of County Order\nWisconsin Experiment Association —\nOtto jl. Leu, S-ec.\n8 p. m., Daly’s theatre. Rural Life\nin Scotland (Illustrated) —Prof. A. S.\nAlexander.\nFriday, January 16.\nHorses and Cattle.\n10 a. m. My Good Old Horse —\nProf. A. S. Alexander.\nLeaks in the Dairy Business —Prof.\nG. C. Humphrey.\nI:3d p. m. Organized Efforts for\nDairy Cattle Improvement—Prof. G.\nC. Humphrey.\nJudging of Exhibits in Colt Show\n—Prof. Humphrey, Mr. Baker.\nJohn Liebe of Route 12 has gener\nously offered the following prizes:\nFor the best display of prepared\ndishes of potatoes, cooked, fried, sal\nads, etc.\nIst prize—5 bu. potatoes.\n2nd prize—3 bu. Potatoes.\n3rd prize—3 bu. potatoes.\nFor the best exhibit of potatoes,\n2 cords of wood.\nO. J. Leu offers a trio of Barred\nPlymouth Rocks for the best display\nof Golden Glow Corn.\nSIT WHILE\nHUNTING RABBITS\nGeorge Loock Shot in Right Leg\nSunday Afternoon\nGeorge Leock of this city was\nshot in the leg, ankle and foot while\nrabbit hunting near Seven mile creek\non Sunday afternoon. A mystery\nsurrounds the affair as it is not\nknown who did the shooting. It is\nthought that whoever fired the\nshot, was either trying to kill Mr.\nLoock’s dog or mistook it for a\nTa\'bbit. The dog was close to Mr.\nLoock\'s right leg when the shot was\nfired. The dog was killed and part\nof the charge entered the right leg,\nankle and foot of Loock. He was\nbrought to this city and received\nmedical attention. The wounds while\nnot serious are painful and will prob\nably keep Mr. Loock confined to the\nhouse a week.\nFaxes of Town of Grand Rapids\nare new payable at my office, room\nNo. 5, old Wood County National\nBank block, opposite post office up\nstairs. Itw\nC. M. Renne,\nTown Treasurer\nYOUKG GIRL AT\nTEMPTS SUICIDE\nWater too Shallow. Changes\nWind. Found In Home of\nFriend by Officers.\nThe attempt of Elizabeth Hensehel,\nfifteen years old, to commit suicide,\ncaused a great deal of excitement in\nthe fourth ward Saturday evening.\nMiss Hensehel left home about six\no’clock Saturday evening, because\nshe fea-ed her father. She had stated\nfollowing a beating he had given her\non a previous occasion, that if he\never beat her again she would kill\nherself. She went to the river and\nattempted to get into deep water,\nbut was unsuccessful and finally gave\nit up and wandered to the house of\na friend where she was taken care\nof and afterward found by the offi\ncers.\nAccording to the story told by the\ngirl and the officers, she intended\nto drown herself, hut because of the\nshallow water and ice she did not\nsucceed. It is said that several\nweeks ago her father gave her a\nsevere beating and she made the\nstatement that she would kill her\nself if he ever beat her again. Sat\nurday evening Hensehel learned that\nshe had been to a moving picture\nshow and began to raise a row. The\ngirl fled from the house. Officer\nBanter and Undersheriff Bluett were\nsent for and took up the hunt for the\nmissing girl. She was traced to the\nriver and the place where she| start\ned out on the ice was discovered\nSearch along the hank showed where\nshe had come back to shore. The of\nficers agreed that she had probably\nbeen unable to get to deep water\nand had returned to shore and was\nin the home of some friend. A sys\ntematic search of all the houses in\nthe neighborhood was commenced.\nThe officers were not saitsfied with\nthe verbal denial of the people but\ninsisted upon searching the houses.\nThe girl was finally found at the\nhome of Emil Toeple on Burt street.\nMr. and Mrs. Toeple took the girl\nin and had put her to bed under\nwarm blankets. It was after eleven\no’clock before the sdhrch was over.\nThe father finally arrived and got\nclothing for the girl and took her\nback to her home.\nDISCUSS WORK\nOF CIRCUIT COURT\nSay Double Trial System Should\nBe Abolished.\nThe circuit judges of the state\nhave been in session at Madison,\nwith the committee of lawyers ap\npointed at the last session of the\nlegislature to investigate court sys\ntems.\nThat the double trial system in\nprobate matter® is a drag on the\ncourts and should be abolished, was\none of the decisions reached. Judge\nA. H. Reid of Wausau and others\ndeclared there should be either an\nappeal from county court to .supreme\ncourt or else, when an issue is. join\ned in probate court, that the matter\nbe certified to circuit court for\ntrial.\nThere w r as considerable discussion\nover the proposed abolition of the\noffice of justice of the peace, but\nno decision was reached.\nThis was the first meeting of the\nlegislative committee since appoint\nment. It will report to the next leg\nislature the result of the investiga\ntion and submit a plan that appears\nto best suit the state needs and\nmeet with the approval of the state\njudiciary.\nMonday evening the circuit judges\nwere entertained at a banquet at\nwhich Judge W. J. Turner of Milwau\nkee, spoke of the divorce evil. He\nsaid that probably 5d per cent of the\ndivorces in Milwaukee county might\nhe avoided if anew system of grant\ning divorces was devised. Judge\nTurner believes that the legislature\nshould pass a law creating the posi\ntion of divorce lawyer to be appoint\ned by the circuit judge and no divorc\naction could be brought, except bj\nthis mam. “I think,’’ said Judge\nTurner, “that there are a large\nnumber of divorces brought b> law\nvers’ runners, who have brought out\nan evil as great as the ambulance\nchaser in personal injury cases. Then\ntoo. divorced women often urge wo\nmen who have had a quarrel to get\na lawyer and get a divorce. These\nremarks were made in refernece to\nMilwaukee county cases. Judge Turn\ner said he did not believe that the\nsame conditions prevailed in every\ncounty of the state.\nENDORSES SENATOR HATTON\nThe Eagle-Star is glad to note that\nWilliam H. Hatton of New London,\nis an announced candidate for the\nRepublican gubernatorial nomination.\nWe have contended for months that\nhe was the key to the situation for\nthe Republicans of Wisconsin. No\nother man, so far mentioned, com\nbines all the qualities necessary in\na candidate for the chief executive\nship, as he does. The Republicans of\nWisconsin have before them the big\ngest state fight of two decades. The\nstate situation, a Democratic presi\ndent in the chair, favor the opposi\ntion and it will need all the resources\nof a united Republican party to carry\nthe next state election. Mr. Hatton\nwill unite the parties as no other\nman can and is an ideal man for\nthe Then why not do\nthe logical thing. Republicans, and\nnominate him?—Marinette Eagle-Star\nMOTOR NUMBERS\nCO OUTOF STILE\nNew Number Plates of a Better\nDesign\nMOTORIST TO BE GIVEN TIME\nState is Unable to Provide Applicants\nWith License Numbers —Sorpe\nNew Numbers Here.\nRaus mat the 1913 automobile num\nbers. They went out of date at mid\nnight Wednesday, That was the last\nsecond that the 1913 licenses were\ngood. A few Grand Rapids automo\nbile owners already have their new\nnumbers. Those who have declare\nthat they are an improvement over\nthe 1913 numbers, because they are\nof better make-up and are more dis\ntinguishable.\nThe 1914 number plates are made\nfrom one piece of sheet steel, the\nnumber being pressed into relief in\nstead of tacked on as they wqre\nin 1913. The background of the num\nber plate is ena.maled white and the\nnumbers are enameled black, conse\nquently the Wisconsin number plate\nhave about all the contrast colors\nwill permit.\nThe new numbers are slightly\nwider than the §ld onesi, and the fact\nthat they are pressed from the steel\nplate instead of tacked on to it will\nmake it easier for motorists to keep\nt v -cl 0 ? -\'V fl .ip e&jbi q s-ha l^ ■\nNo one will be arrested: if he de\nports himself on country roads or\ncity streets with the 1913 number\nplate attached. The state department\nis so swamped with applications for\nnew numbers that it is impossible to\nissue new numbers fast enough. The\nfact that there are more automobiles\nin service this winter than ever be\nfore has only served to increase the\nrush of applicants.\nThe law, leisurely interpreted, give\nmotorists time enough to get their\nnumbers and run with the old ones\non until they do, because the state\nknows that before very much time\nelapses new numbers will be procur\ned. So apply for new numbers and\ndrive with the old ones until the\nstate sends you the new black and\nwhit© figures.\nTWO APPOINTED\nOK COUNTY JUDGE\nSoldier.s Relief Committee Now\nComplete Again.\nThe vacancies on the Soldiers’\nRelief Committee have been filled\nby County Judge - W. J. Conway, who\nhas appointed Phillip F. Bean of the\ntown of Hansen and C. R. Olin of\nMarshfield, who with Patrick Mul\nroy cf this city\' will compose the\ncommittee. Mr. Mulroy is the sec\nretary of the committee. The com\nmittee is allowed the use of one\ntenth of one per cent of the taxes\nfor use in relieving old soldiers\nwho are in straightened circum\nstances. During the past year, ac\ncording to Secretary Mulroy’s report\nthere were fourteen cases in which\naid was given, by his committee.\nThe money used in this work runs\nbetween S4OO and SSOO a year.\nSERIOUSLY HURT\nIt is reported that John Strike, of\nthis city, who is at work at Stevens\nPoint, met with an accident in which\nhe fell and fractured his skull and\nis dangerously sick. His family in\nthis city reside in the First National\nBank building, over the barber shop\noperated by Robert Solchenberger.\nThe particulars connected with the ac\ncident are not known to the writer\nas it occurred some time today. A\ntelephone message brought the report\nMEMBERS TAKE NOTICE\nJoint installation of the G. A. R.\nand Womens Relief Corps will take\nplace Thursday afternoon at the G.\nA. R. hall. All mem-beers of both\norders are cordially invited to be\npresent.\nBy Order of Secretary.\nINTEREST TAKEN\nIN HOSPITAL\nMany Gifts Received by Insti\ntution Since October\nREPORT IS INTERESTING\nSince October 1, 1913, Riverview\nHospital acknowledges the following\ngifts:\nMoney from—\nDr. J. J. Looze,\nDr. D. Waters,\nDr. Ridgman,\nDr. Pomainville,\nDr. Merrill,\nE. W. Ellis Lumber Cos.,\nConsolidated Water Power & Paper\nCos.,\nNekoosa-Edwards Paper Cos.,\nGrand Rapids Milling Company,\nI. P. Witter,\nGeo. W. Mead,\nMrs. R. J. Mott.\nOther gifts as follows:\nMrs. MacKinnon; 3 flannel gowns,\nbath robe, vest, union suit, kimona,\n2 glasses jelly, vegetables.\nMrs. E. W. Ellis; 2 bu. potatoes,\n1 bbl. apples, vegetables, flowers,\nmilk, cream, magazine stand, parsley\nplant.\nMrs. Rumsey; old\' linen.\nMrs. Emmes; vegetables.\nMrs. H. Demits, vegetables, 4\nglasses jelly, parsley plant.\nMrs. Dorney; 6 glasses jelly, 1\nqt. grape juice, jar apple butter.\nMrs. O’Day; chicken, 3 qts. fruit,\n3 glasses jelly.\nWest Side Congregational Society:\nMrs. W. Jones; old linen, vege\ntables, 5 glasses jelly, 4 qts. fruit,\ncatsup.\nMrs. W. A. Getts; old linen, 1\npt. fruit, 1 glass jelly.\nMrs. McMillan; 2 qts. pickled\npeaches, 3 glasses jelly, 3 qt®.\nfruit, oid linen.\nOtto’s Pharmacy; 2 qts. crushed\nfruit.\nMrs. C. E. Kruger; 1 quart fruit.\nMrs. Luther; 1 pint fruit.\nMrs. Ira Bassett; salt and pepper\nshakers, old linen, 3 glasses jelly.\nMm. Sam Church; 2 glasses jelly.\nMrs. Atwood; 1 glass jelly.\nMrs. Kinister; 1 quart jelly, 4\nglasses jelly.\nMrs. F. E. Kellner; 3 glasses jellj.\nMrsi. Denis; 2 glasses jelly.\nMrs. F. Bossert; 2 bath towels, old\nlinen.\nMrs. Boorman; 1 pint jelly, 1 glass\njelly. f\nEast Side Cong. Society; 1 can\ncorn, 7 glasses jelly, 11 qts. fruit,\n1 qt. salad dressing.\nMrs. Rogers Mott; 3 call bells,\nbasket grapes.\nMrs. I. P. Witter; 1 qt. fruit, bas\nket fruit, olives, 2 cans beans.\nMrs. F. Garrison; IV 2 qts. tomatoes\npop corn.\nMrs. E. Pease; 3 bu. potatoes.\nMrs. Chas. Kellogg, 3 glasses jelly.\nBOUND OVER TO\nKEEPTUE PEACE\nAntiquated Weapons Found by\nOfficer\nFred Pagel was taken before Judge\nJohn Roberts on a peace warrant\nwhich Pagel was charged with threat\nening to assault and commit bodily\nharm and with pointing a revolver\nat the complainant. Pagel was plac\ned under bonds of $l6O to keep the\npeace for six months. Officer Pan ter\nwent to Pagel’s home and demanded\nthe revolver. By the time the offi\ncer got through he had a collection\nof three of the most interesting\n“gats” that have come to light in\nthis community in years. One gun\nwas a short regular British Bull Dog\nrevolver, another was a double bar\nreled derringer of about 44 caliber\nand the last was a four barreled\nbrass muzzle loading outfit that must\nhave been handed down from the\nearly German wars. Two of the guns\nwere found loaded. The weapons\nhave been turned over to the chief\nof police and will no doubt decorate\nthe cumsity room at the cooler.\nANNOUCEMENT\nI have recently installed in my\ndental office a modern Nitrous Oxide\nOxygen Anhlgesic Apparatus and can\nassure the people that with this ap\nparatus all kinds of heretofore pain\nful dental operations can be done\nabsolutely with no pain. You are in\na state or condition what is medic\nally called Analgesia. Your eyes are\nopen, you can talk and answer ques\ntions —to sum up the whole, you are\nfully conscious in analgesia, but ex\nperience no pain from dental pro\ncedures.\nVOLUME 63. NUMBER 3.\n, 3 bottles relish.\nMrs. Marvin; 2 sheets, 2 pr. pil\nlow cases, 3 books, 3 glasses jelly.\nMrs. Ina Johnson; basket fruit and\nnuts, 1 glass jelly, can pickles.\nMrs. W. E. Nash; turkey.\nMrs. M. O. Potter; 2 qts. fruit,\nold linen, 1 qt. apple bntter.\nRev. and Mrs. Fliedner; 3 pictures,\n2 bottles fruit juice, 2 cans fruit,\nchicken, 3 jars pickles.\nMrs. Worlund; 1 quart milk.\nMrs. Jennie Taylor; 6 silver knives\nand forks.\nMrs. T. E.Nasb; 9 books.\nGleue Biros.; 2 pair slippers for\noperating room.\nMrs. D. Waters, 1 pt. grape juice.\nMrs. Quinnel; 1 qt. fruit.\nMrs. Kibitsky; glass jelly.\nMrs. Woodell; 2 glasses jelly.\nMrs. D. J. Arp in; wardrobe, 3\nchairs, bedspread, 2 pillows, 1 pair\nwoo! blankets, old linen, picture, 2\npair pillow cases.\nMrs. Elizabeth Daly and Mrs. M.\nPomainville; commode.\nMrs. McPailand and Mrs. Riley; 1\npair curtains.\nMrs. Kenyon, ti wash cloths.\nMrs. N. Robinson; 1 pair pillow\ncases.\nMrs. Gunther; 2 chickens, sausage,\n2 pumpkins.\nMrs. Vollert; 2 pumpkins, squash.\nM. E. Society; 6 draw sheets, 6\nsheets, 1 bedside table, window shade\nword robe.\nSt. Katherines Guild; 8% qts. fruit,\n1 qt. marmalade, 15 glasses jelly, 1\ncan peas.\nMiss J*ne \\ gliu#.- jelly, I\npt. fruit.\nMiss Mulroy; 2 qts. jelly.\nMrs. Berkey, turkey.\nMiss Barbara Daly; 2 glasses jelly,\n1 quart peaches, honey, old linen,\nchild’s bedroom slippers.\nMrs. Cleveland; 1 pair pillow cases\nMaster Brace Fisher; turkey.\nMrs. N. E. Emmons; 6 glasses jelly\nold linen.\nMrs. S. Primeau; 1 pr. pillow cases\nCongregational Church Sunday school\nMrs. C. C. Hayward’s class; 10\ntowels, 3 bath towels.\nMiss B. Eggert’s and Miss Fqn\ntaine’is class; 24 bars toilet soap.\nMrs. Gardner’s class; 0 glasses of\njelly, 1 quart fruit.\nMr. Mead’s class; 2 disk cloths, 6\nbath towels, 16 bars toilet soap.\nMiss Hasbrouck’s class; cake, cook\nies, cranberries, chicken, bananas,\nnuts, 1 quart fruit, game.\nDuring these three months 26 pa\ntients have been received.\nElizabeth Wright,\nSecretary.\nHas there ever existed a person\nwho willingly went to a dentist and\nwho enjoyed the hour? Is at not a\nfact that a toothache caused by the\ndecayed tooth was the probable sole\nreason of his going at all? Analgesia\nis here to stay and we can truth\nfully say for the first time that pain\nless dentistry is here to stay. Will\nbe pleased to explain and show to\nthose interested the Ga<s-Oxygen Ap\nparatus. 1 take pleasure in trying\nto keep pace with modern dentistry\nof the new year.\nGEO. R, HOUSTON,\nDentist,\nTWICE FOUND OF\nffIISSINC HM\nCap and One Mitten of Frank\nWockocki Found m River\nThe finding on Tuesday of a mit\nten and cap on the pond at Port\nEdwards started wild rumor about\nthat the body of Frank Wockocki,\nwho disappeared on Dec. -0, had\nbeen found. The mitten and cap\nwere identified as belonging to Wo\nckocki. This bears out, somewhat,\nthe theory that has been held by\nsome of Wockocki\'s friends, that the\nmissing man had met with foul play.\nJOINS FEDERAL RESERVE\nAt a meeting of the directors of\nthe First National Bank, of this city\nTuesday evening, the board decided\nto become a member of the Federal\nReserve association.\nThe First National 3s the first\nbank in Central Wisconsin to adopt/\nthe new currency system and it is\nexpected that this membership will\nenable the bank to still better care\nfor its customers.', 'batch': 'whi_carrie_ver01', 'title_normal': 'wood county reporter.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85033078/1914-01-08/ed-1/seq-1.json', 'place': ['Wisconsin--Wood--Wisconsin Rapids'], 'page': ''}, {'sequence': 1, 'county': ['Manitowoc'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85033139/1914-01-08/ed-1/seq-1/', 'subject': ['Manitowoc (Wis.)--Newspapers.', 'Wisconsin--Manitowoc.--fast--(OCoLC)fst01225415'], 'city': ['Manitowoc'], 'date': '19140108', 'title': 'The Manitowoc pilot. [volume]', 'end_year': 1932, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Publisher varies.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Manitowoc, Wis.', 'start_year': 1859, 'edition_label': '', 'publisher': 'Jeremiah Crowley', 'language': ['English'], 'alt_title': [], 'lccn': 'sn85033139', 'country': 'Wisconsin', 'ocr_eng': 'VOLUME LV.\n)| COURT OPENS JANUARY 13.\n\\j\nThe January term of circuit court\n\'ill open here next Tuesday morning,\n\'here are on the calendar fifty-two\nises, four criminal cases, twenty-eight\niry cases and twenty court cases. The\nirors are summoned to appear on\n/ednesday, January 14, at 2 o’clock\n.M. The first day petitions for na\niralizatian will be acted upon. Fob\n\'wing are the cases noted for trial:\nCriminal Cases.\nhe State of Wisconsin, vs.\nThe Wisconsin Pea Canners Com\npany, a corporation,\nhe Stale of Wisconsin, vs.\nReinhardt Kroening.\n\'he Slate of- Wisconsin, vs.\nOliver Mott (Bastardy),\n’he City of Manitowoc, vs.\nFrank J. Zeman.\nViolation of Ordinance Regulating\nthe hours of Business of Saloons.\nFact For Jury.\nHilbert F. Price and Louis E. Lyon )\nco-partners doing husines under\nthe firm name and style of Puritan\nManufacturing Cos. vs.\nPierre Virlee Company, a corpoiation.\nStephen Stephenson vs.\nJohn E. OTlearn.\nFrank Reif vs. William Fehring\nS. J. Clark Publishing Cos. vs.\nHengy Oeslreich.\nLouis Franzmeier, vs.\nGeorge Braasch\nWilliam M. Willinger, Administrator\nof the estate of Joseph Mlada, de\nceased, and Emil Cizek vs.\nJohn Folifka.\nJohn E. Rowlands, vs.\nRebecca A^Shoyer.\nJohn E. Rowlands, vs. Rebecca A.\nShoyer, L. J. Nash etal Garnishees.\nJ. M. Duecker Hardware Cos., vs.\nNathan Burgdorf.\nIn the Matter of the estate of Amelia\nWallschlaeger, Deceased.\nSlate Ex Rel R. P. Hamilton, et. al.\nvs. Robert Schubert, et al.\nnJ. Jebavy, Administrator of the\nestate of Raymond Jebavy, De\nceased, vs.\nSchuetle Cement Construction Com\npany, a corporation.\nThe Village of Reedsville. a municipal\ncorporation, vs.\nCharles F. Maertz and Fred A. Fred\nrich.\nHenry Goeres, vs. C. U. Simon.\nErnest Miller,* vs.\nHellfrisch.\nEmil Klose vs.\nAluminum Goods Manufacturing Com\npany, a corporation.\nHenry Goeres vs, C. H. Simon.\nSol. G. Pelkey, vs.\nMathias Koch and John Koch.\nKriwanek Brothers Company vs.\nOhio Millers Mutual Fire Insurance\nCompany.\nKriwanek Brothers Company vs.\nUnited American Fire insurance Com\npany.\nLouis Mater, ‘.vs.\nValders Lime & Stone Company, and\nLudwig Kautzer.\nAdolph Klann, et al vs.\nRockland Drainage District No. 1.\nJoseph Toucial et al, vs.\nRockland Drainage District No. 1J\nWencel Tinor, Jr., et al. vs.\nRockland Drainage District No. I.\nRichard Kiel, as Trustee in Bankrupt\ncy of Hugo Lindner and Walter\nLindner, Bankrupt. vs.\nMichael Wagner.\nEmanuel Krejci, vs.\nEstate of Mary Krejci, Deceased.\nDenis Ryan, vs. Union Lime Company.\nMike Musial vs. Steve Zendala.\nFact for Court.\nMinnie Ott, vs. Henry A. Ott.\nStephen P. Stephenson, vs.\nJohn E. O’Hearn.\nMargaret Meehan, vs.\nThomas Meehan.\nAnna Spann, vs. August Spann.\nMary Tadych, vs. John Tadych.\nWilliam Neuser, vs.\nFranclsca Neuser.\nEdward Junker, vs. Hugo Groelle.\nJohn Buckley, vs.\nChristina A. Stout, et al.\nDefault.\nH. C. Wilke, vs. •\nThe Unknown Successors and Assigns\nof the Two Rivers Manufacturing\nCompany, and all Persons whom it\nmay Concern.\nDefault.\nJames Sbeahan, vs.\nBenjamin W. Porter.\nDefault.\nBertha Gruetzmacher, vs.\nWilliam Gruetzmacher, ot al.\nDefault.\nTheresa Vollendorf, vs.\nJohn Kuhl, ot al.\nDefault.\nFred J. Schnorr, vs.\nThe Unknown Successors and Assigns\nof the Two Rivers Manufacturing\nCompany, and all Persons whom it\nmay Concern.\nDefault.\nDella Hudson, vs. Charles F. Hudson.\nDefault.\nClara Van Bremrrer, vs.\nJames Van Bremmer.\nDefault.\nWilliam G. Luepa, vs.\nJames G. Donnelly, et al.\nDefault.\nFranz Kraus and Elizabeth Kraus,\nvs. Joseph Kraus, et. al.\nDefault.\nMinnie Fokett, vs. Louis Fokett.\nDefault.\nAdolph Belinske vs. Ella Jackson.\nDefault.\nWilliam F. Christel, vs.\nCharles Nelson.\nm IBtoilfltewrjc Pilot.\nC ,TY COUNCIL NOTES.\nThe council meet in regular session\nMonday evening. All members were\npresent.\nThe bridge committee recommended\nthat all bids for lengthening the spans\nof Bth street bridge be rejected and\nthat at the\' April election the following\nthree questions be submitted to the\npeople; new bridge, rebuilding present\nbridge and no change. This report\nwas adopted. It is believed that if no\nchange is decided upon the war depart\nment will be urged to condemn the\npresent bridge as an obstruction to\nnavigation.\nPlumb reported orally for the elec\ntric committee that the city assumed\npossession of the electric light plant\nlast Friday, January 2nd; that the ap.\npraiser from Madison had agreed with\nthe company and committee on the val\nue of supplies and extensions made\nsince January 1, 1913, at SBSOO, and\nseveral smaller details. The electric\nplant is now a municipal utility owned\nand operated by the city, and tempor\narily managed by the electric commit\ntee of the city council, composed of\nRalph Plumb, Charles Frazier and\nMartin Georgenson, who with the at\ntorney conducted all the negotiations\nwith Mr. John Schuette for closing\nthe transfer. They report that all\ndealing with Mr. Schuette was pleas\nant, he meeting them more than half\nway on all open points. The total cost\nwas $146,000. Bonds to cover this,\nwhich the company will take, are be\ning printed.\nAn ordinance was introduced prohi\nbiting, except in certain specified cas\nes, the blowing of boiler Hues of steam\nships in the harbor. Jt was referred\nto the judiciary committee.\nThe sexton, street commissioner,\nhealth officer, visiting nurse and police\nchief all had annual or quarterly re\nports on file. The chief’s report of\narrests was classified every way possi\nble and showed that in 1913 about 630\nCaucasians lone nigger were\narrested in this city. The chief wants\na motorcycle to make more certain the\nhaling to justice of the motor speed\nfiends. The police committee will re\nport on this. He also expressed his\nthanks to everyone except the Daily\nNews.\nThe mayor has an idea that it would\nbe a good plan to buy the lot aAolnirg\nthe Franklin street fire station, evi\ndently having a future city hail in\nview. It excited some debate. Thori\nson is against the hall idea, / Plumb\nagainst the site. The finance commit\ntee will get a price on tho lot.\nThe Judicairy committee will get a\nprice, if possible, on the Vilas lot, be\ntween the stand pipe and the Schuette\nresidence. This caused more airing of\nideas. Tho mayor thinks the railroad\nbridges will some day be ordered re\nmoved.\nThe fire committee recently put pav\ning brick floors in the horse stalls at\nthe north side station where 5 of the 7\nhorses are kept. Schroeder, Lippen\nand Scherer made a vigorous attack on\nthis scheme claiming it lames the\nhorses. Thorison and chief Kratz up\nheld the other side. It gotquite warm\nand the mayor had to spread the salve.\nThorison says it saves lumber and the\nchief’s big point was that it makes the\nsleeping quarters of his men more san\nitary.\nAbout once in two months some al\nderman questions the Jagodzinsky per\nsonal injury claim which is allowed at\nevery meeting. Bigel called for an\nexplanation this time. The city is\npaying Jagodzinsky the compensation\nact rate as ordered, and must continue\nto do so unless the man becomes able\nto work again. He is (14 years of age\nand broke a leg badly in the municipal\ngravel pit in July, 1911.\nA resolution of condolence upon the\ndeath of alderman Rugowski’s father\nwas adopted.\nDIED\nGertrude Hanson, the six-year-old\ndaughter of Mr. and Mrs. Edgar Han\nson, 8.52 North Fourteenth street, died\nFriday of diphtheria. The funeral\ntook place Saturday afternoon.\nThis is the second death in the fam\nily in two weeks, another girl, aged 5\nyears, having died of the same disease.\nMathias Rugowski an old resident of\nthis city, died Monday. He was born\nin Germany and came to this city in\n1872, where he had since resided. Uc\nleaves a wife and eleven children to\nmourn his death. The funeral was\nheld this morning from St. Boniface\nchurch.\nMonday night Andres Hand!, a well\nknown resident of this city, aged 75\nyears, dropped dead on Washington\nstreet on his way home from an install\nation of olllcers at the St. Boniface\nhall. The cause of his death was\nhearf trouble. He has been janitor\nof the Tlh ward school for- several\nyears. For twelve years he served\nas vice-president of the S‘.. Boniface\nCatholic society and Monday nigiu, was\nre-elected. He leaves a wife and large\nfaintly of grown-up children. The\nfuneral will be held tomorrow morning\nfrom St. Boniface church.\nITEMS FROM THE PILOT FILES.\n‘FIFTY YEARS AGO.\nCold Weather The coldest\nweather experienced by us for many\nyears commenced on Now Year’s day,\nand lasted for several days—the ther\nmometer ranging thirty and thirty\nfive degrees below zero. Business was\nentirely suspended in this town during\nFriday, Saturday and Monday—no oue\nbeing able to be out doors any length\nof time. The material in our office\nwas frozen together so that the hands\ncould not touch the type or work the\npress, which will account for the ab\nsence of any paper last week. We\nwere without mail an entire week.\nThe cold weather extended through\nout the country and we hear of many\ncases of suffering on the railroads and\nother thoroughfares.\nEffects of The Cold—We notice\nby our exchanges that throughout the\nwhole State the severity of the weath\ner was extremely felt, and in many\nplaces we hear of persons being badly\nfrozen—in a few instances resulting in\nloss of life. In this section we have\nheard of but few sufferers. One un\nfortunate fellow, residing in Brown\ncounty, had both his feet frozen so\nbadly that it was at first supposed he\ncould not live, but through the skill\nful efforts of Dr. Balcom, ho is in k\nfair way to recover, though amputation\nof one of the limbs was found to be\nnecessary.\nA Large Establishment — Mr.\nWilliam liabr, the well known Brewer\nhas just completed a very large estab\nlishment for the manufacture of lager\nbeer, and at his invitation many of our\ncitizens visited his cellar on Saturday\nlast. The principal cellar is 75 by 54\nfeet, 16 feet deep, with stone walls\nthree feet thick. Within this is an ice\nhouse 20 by 40 feet, with stone walls\ntwo and a half feet thick. Adjoining\nthe main room is a yeasting cellar 56\nx 20 feet, covered with solid masonry.\nMr. Ruhr\'s establishment is one of\nthe largest and finest in the state, and\nwe hope large expense incur\nred by him will be returned four-fold.\nU is enterprise and public spirit should\nbe followed by others.\nLincoln wants more men —We\nthought the Emancipation Procla\nmation was to put an end to me wdr!\nHow is that?\nTWENTY-FIVE YEARS AGO.\nHon. Issac Craite of Misbieott atten\nded the examination of applicants for\nadmission to the bar at Milwauke last\nweek.\nThomas Hogan of Antigo is spending\na few days in the city. Mr. Hogan\nhas met with the most gratifying suc\ncess in the practice of his profession at\nAntigo.\nThe Appleton Post thinks if Sand\nford were trained for the prize ring in\nearly manhood ho would be the cham\npion today. Be is described as a cross\nbetween philanthrophy and brigandry,\nand as being possessed of incomparable\ngentleness and unparalleled savagery.\nIda Filbolm, daughter of J. C. Fll\nholm of this city, died on Thursday,\nDecember 27, 1888, aged it). She was\na bright active young girl, but last\nMay began to fail in health and time\nbroughtno improvement. Her funeral\nlook ])iace on Sunday and a large num\nber of friends testified their respect by\ntheir attendance. The stricken rela\ntives have the sympathy of the entire\ncommunity.\nUncle Wood and John Schuette have\nquit singing on Sylvester eve. The\npeople who assemble at Turner Hall\nfeel the deprivation much though the\ntuneful efforts of the men were far\nfrom pleasing. Sylvester Eve is not\nwhat it used to be.\nPeople who, as Tom Windiate would\nsay “were on earth in 1804” were busy\non Tuesday last contrasting it with\nthe first day of January 1804. Then a\nperson could hardly stir outside with\nout being frozen, while Tuesday last\nwas as balmy as a day in May.\nEd. Sams of Mishioott while walking\naround the barn of J. L. Miller of this\ncity, broke off an alder branch with\nbuds ready to burst. A warm rain\nwould bring them out in full leaf.\nThis stale of things brought out some\nfurther facts of the unprecedented mild\nness of the winter. On the 2.\'frd of\nDecember live frogs were found in\nMishicott, right lively fellows, too.\nThere are any number of robins in the\ncity. This will prevent the early rob\nin item from making its appearance in\nlocal papers next April.\nNew Years day was a day fit to in\nspire a poet. The sleighing was ex\ncellent, the face of the sky was not\nmarred by a cloud sjieck and the sun\nshone bright. In the afternoon Eighth\nstreet was thronged with people urg\nging horses of all conditions to do their\nprettiest, while the river was crowded\nwith skaters. It was a day calculated\nto make a misanthrope feel that life\nwas worth the living.\nMANITOWOC, WIS., THURSDAY, JANUARY 8, 1914.\nEDUCATIONAL.\n(RyC. W. Meisnkst.)\nJANUARYTF ACKERS’ MEETINGS\nOsrmn, Jan. 17, 1914.\n9:30 A. M.\nOpening\nClass Exercise in Middle Form Geog\nruphy - - Nellie Ilarnes\nRural Economics - Edwin Mueller\nTeaching How to Study (Chapter V)\nI’. J. Zimmers\n1;80 P. M.\nHow to Teach Long Division. Factoring\nand Decimals - James Murphy\nBllanora Graf\nMoral and Humane Teaching\nMarie Gass\nAccident Prevention - Mary Grady\nHow to Study (Chapter XI)\nP. J. Zimmers\nIteedsville, Jan. 10, 1011.\n10:00 A. M.\nSinging - - Hecdsville Pupils\nConducted by Gladys Willlnger\n(a) Accident Prevention\nMildred Dedricks\n(b) Moral and Humane Teaching\nEtta Hayden\nTeaching How to Study (Chapter V)\nI’. J. Zimmers\n1:30 P. M.\nClass Exorcise in Agriculture\nElizabeth Wnlrath\nUural Economics - F. C. Christiansen\nHow I Teach Factoring, Decimals, and\nLong Division - Florence O\'Connors\nI’. W. Fahey.\nTeaching How to Study (Chapter XI)\nP. J. Zimmers\nBring your copy of McMhrry to all\nmeetings.\nHealth work in rural schools pre\nsents some problems entirely dilVerent\nfrom those found in large villages and\nin cities.\nRural schools are, with only a few\nexceptions, entirely unprovided with\nhealth supervision of any nature. Vet\nthese are the very places most in need\nof it. In the larger centers competent\ndoctors are available, and in the cities\nfree medical and dental clinics may al\nways be found, but in the country med\nical and dental attention is often diffi\ncult to obtain.\nAgain, people in the country are\nlittle inclined to seek aid from physic\nians or dentists, simply because they\nhave not yet been educaflAi to do so\nexcept in serious cases. It therefore\nhappens that children of the rural\nschools are in general (contrary to the\ngeneral impression) more in need of\nmedical and dental attention than the\nchildren of larger communities.\nThere is also a common impression\nthat country children are naturally\nmore vigorous than city children.\nr i his ought to bo true, but unfortun\nately it is not. In general food is not\nas well prepared in the country as it\nis in the city; the available variety is\nsmaller; the houses and schools are\nless well ventilated, overheating in\nwinter is common; tuberculosis is not\nso well understood and the chances for\n“house infection” are therefore great\ner; and general public sanitation is\nalmost without exception neglected in\nthe country.\nChildren in the country are more ex\nposed to unfavorable weather condi\ntions than are city children. They of\nten walk long distances in extreme\nheat, cold, or wet; and sit in school\nwith damp clothing or wet feet. They\nalmost invariably wear 100 much cloth\ning indoors in cold weather, and are\nconsequently overheated in the school\nroom and then are chilled on the way\nhome. Under such conditions it is no\nwonder that colds and other respira\ntory disorders are common, and that\nmany country children are out of\nschool on account of various kinds of\nsickness\nTin sanitation of a rural school is\nusually very bad. The common drink\ning cup hangs from a nail over the\nwater pail; floors and desks are often\nvery dirty; ventilation is a negligible\nquantity; outdoor toilets are in un\nspeakable condition; washing facilities\nare either not provided at all, or con\nsist of a pail of water, a dirty tin basin,\nand one common towel.- From U, S.\nliureau of Kducation Letter.\nThe above letter needs to be heeded\nat this time of the year. There is\nmuch sickness throughout the county\nand city. Several schools were closed\nbefore the holidays. School boards\ncannot give the matter of fumigation\ntoo much attention at this time. The\nschool house ought to disinfected fre\nquently now. Some children catch\ndiseases from each other very readily.\nTake alt necessary precaution, it is\ncheaper than paying doctor bills, and\nmay prevent an epidemic in the com\nmunity.\nBl) v LAND ON EASY TEHMS.\nCut over hard wood lands in Wiscon\nsin, from 915.00 per acre up. 91 00 per\nacre cash, balance in monthly install\nments of 9. r j.oo on each forty (.ought.\nNo better proiswltion known. Go to It\nAdv. A. P. Schk.nian, Agent.\nOr Change Him.\n“Maud\'s husbands name is lull,\nlan’t It?" “Yes, and Lies afraid shell\nhrcutJk him."\n0. TORRISON COMPANY\n—. ... ■\nREAL WINTER IS SURE TO COME. Take ad\nvantage of these real overcoat bargains. Entire\nstock of overcoats reduced as follows:\nRegular 35.00 Mon\'s and Young Men’s Fancy Overcoats, r[ A\nsale price tpuDiDU\nRegular 30.00 Men’s and Young Men’s Fancy Overcoats, Ann\nsale price\nRegular 25.00 Men’s and Young Men’s Fancy Overcoats, Ain\nsale price tD 1 O* / O\nRegular 20.00 Men’s and Young Men’s Fancy Overcoats, £-| a\nsale price J. f\nRegular 15.00 Men’s and Yuung Men’s Fancy Overcoats, Ai rv wy N\nsale price W A \\/# / O\nRegular 12.00 Men’s and Young Men’s Fancy Overcoats, 71?\nsale price wOi/D\nRegular 10.00 Men’s and Young Men’s Fancy Overcoats, rfknr A C?\nsale price / .T\'O\nRegular 7.50 Men’s and Young Men’s Fancy Overcoats, dJC f?A\nsale price\nRegular 100.00 Fur or Fur Lined Coats, Ahq CfY\nsale price I i/tDU\nRegular 90.00 Fur or Fur Lined Coats, •* r?/\\\nsale price V" I.OU\nRegular 75.00 Furor Fur Lined Coats, *7C.\nsale price / O\nRegular 50.00 Fur or Fur Lined Coats, Aqa , 7C?\nsale price .. ■ / O\nRegular 35.00 Fur or Fur Lined Coats, £OT OC\nsale price / a /3\nRegular 30.00 Fur or Fur Lined Coats, Ann TC?\nsale price / D\nRegular 25.00 Fur or Fur Lined Coats, Q7C\nsale price pi / O\nRegular 20.00 Fur or Fur Lined Coats, (11? QC\nsale price wi\nRegular 10.50 Fur or Fur Lined Coats, Ai n\nsale price uluiOU\nAll other priced coats reduced in the same proportion.\nPOSTAL EMPLOYE UNDER\nSERIOUS CHARGE.\nEdward Zander, for many years a\npost ollieo clerk and lately transferred\nto the rural delivery service, was ar\nrested and taken to Sheboygan last\nweek on a charge said to have been\npreferred there hy the father of a girl\nof about Ik, working hero as a domes\ntic.\nZander was a leading member of a\nlocal amateur minstrel company that\nvisited Sheboygan a few weeks ago\naccompanied by a large number of\nlocal people It is charged that he\nregistered with the young woman at a\nSheboygan hotel after the performance.\nThe arrest was something of a sensa\ntion as Zander has been prominent in\nvarious ways for years. Ills being a\nmarried man adds to the gravity of the\noU\'ense, if it was committed. Yester\nday he waived examination and was\nbound over for trial at the April term\nof the Sheboygan circuit court. Honds\nwere lixed at 9*500 which ho furnished.\nMarriage Licenses\nThe following marriage licenses have\nbeen\' issued hy the county clerk the\npast week:\nJohn Warner of Mosel, Sheboygan\ncounty, and Klla Bogenscbuetz of Cen\nterville; Arthur Murinean anil Flor\nence Schultz, both of Two Rivers; Ixl\nwaril Hessel of Kossuth and Agnes\nRenishek of Rapids.\nThe German Lutheran Fire Insur\nance Cos. hold their annual meeting\nlast night. Dr. Otto VVernecko was\nelected president and Fred UockhofT\nand Cha. F.ngel, directors. A dividend\nof 10 percent was declared.\nEUGENIC DIFFICULTY OVERCOME.\nNew Year’s day the now Wisconsin\n“Eugenio" marriage law went into\nforce. Under it no county clerk can\nissue a marriage license unless the\napplication is accompanied by a phy\nsicians certillcate that the prospective\ngroom is free from certain spccilied\ndiseases. Physicians are prohibited\nfrom charging more than $3.00 for the\nexamination. The law seems to re\nquire certain modern laboratory tests\nof the blood which doctors say will\nlake weeks of time and alxnit $23.00.\n| For months there has been much com\n| ment over the possibililitios of none, or\nfew marriages.\nThe last license In Manitowoc coun\nty under the old law was issued by\nClerk Auton to.lolm Warner of Mosel\nand Ella Hogenschuetz of Centerville,\non an application dated December JOth,\nOn January second an unsuspecting\ncouple came In for a license but the\nclerk demanded the irrootn\'s "all\nclear" paper, lie never had heard\nof Eugenics. Wednesday came Ar\nthur Marinueu ami Florence Schultz\nioth of Two Rivers, the former hear\ning county physician Cullman\'s signa\nture to the statement that he had gut\nby. The county clerk was uncertain.\nHe got into telephone communication\nwith Atty. general Owen who advised\nhim not to require the blood lest, so\nthe Schulz Marlnaeu couple received\nthe first eugenic license issued in the\ncounty and one < f the llrst in the stale,\nmany clerks including Milwaukee\nholding out for the blood test. Mon\nday, January’>th license No. 2 was is\nsued to Edward Hessel of Franklin and\nAgnes Henechek of Rapids on the cer\nlilicHte of city Health Otllcer Dr.\nSlauble.\nNUMBER 28\nNOTHING UNUSUAL GREETS 1914.\nThe first day Nineteen fourteen came\nin last week without anything to dis\ntinguish it from numberless New Year’s\nin the past unless it bo the remarkably\nmild weather. There lias been no\nreal winter to this date. The ice on\nthe upper river is said to be but little\nover four inches thick as against two\nor three feel in the middle of January\ntwo years ago. The customary annu\nal Sylvester balls were held. Over 100\ncouples were at the Cos. H. affair at\nthe Opera House. The Hlks club had\nopen house with a punch bowl, tango\nand at midnight symbolical impersona\ntions. The Hoy Scouts greeted the\nnew year with a parade through the\ndown town streets. Various churches\nheld watch services. At midnight a\nbedlam of steam whistles and church\nbells shattered the night for a quarter\nhour. On the evening of the tirst\ni’rof. VVirlh’s dancing social attract-td\na largo attendance. In the city’s so\ncial set a party was held evoiy evening\nduring the holidays.\nLAW SUIT OVER MEEHAH FARM.\nit is reported that a nephew of John\nMeehan who died two weeks ago,\nshortly after deeding for a fraction of\nits value a large farm to a tenant, not\nrelated to him, will contest the gran\ntee’s title in couit Ft is said that he\nhas retained an attorney at Kaukauna\nand will commence proceedings at\nonce in the local court. The farm is\npledged upon the bond of William Red\ndin whose conviction with most of the\nother defendants in the labor union\ndynamite case was this week continued\nby the Federal Circuit Court of Ap\npeals.', 'batch': 'whi_harriet_ver01', 'title_normal': 'manitowoc pilot.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85033139/1914-01-08/ed-1/seq-1.json', 'place': ['Wisconsin--Manitowoc--Manitowoc'], 'page': ''}, {'sequence': 1, 'county': ['Sauk'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn86086068/1914-01-08/ed-1/seq-1/', 'subject': ['Baraboo (Wis.)--Newspapers.', 'Wisconsin--Baraboo.--fast--(OCoLC)fst01222682'], 'city': ['Baraboo'], 'date': '19140108', 'title': 'Baraboo weekly news. [volume]', 'end_year': 1979, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Available on microfilm from The State Historical Society of Wisconsin.', 'Editors: H.E. Cole & H.K. Page, Jan. 4, 1912-April 12, 1928.', 'Publisher varies.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Baraboo, Wis.', 'start_year': 1912, 'edition_label': '', 'publisher': 'H.E. Cole & H.K. Page', 'language': ['English'], 'alt_title': [], 'lccn': 'sn86086068', 'country': 'Wisconsin', 'ocr_eng': 'ESTABLISHED MAY 26, 1884\nHI FOUND\nme m\nLillian Engelman, Who\nDisappeared on Monday\nDec. 22, Appears.\nFATHER TRACES JOURNEY\nFifteen Year Old Girl In\nduced to Leave Home by\nOlder Acquaintance.\nLillian Engelman, who left her\nhome in Marshfield Monday osten\nsibly to visit her nncle, Emil Engel\nman, in Baraboo, was found in Pine\nRiver on Wednesday after an absence\nof ten days during which time her\nrelatives knew nothing of her where\nabouts. The missing girl\'s father\nclosed his business in Marshfield and\ntraced hi3 daughter\'s progress from\nthe moment she left her home. The\npolice were notified, but until\nWednesday morniDg nothing was\nknown beyond that she had been seen\non the train at Merrillan. On Wed\nnesday morning Mr. Engelman re\nceived word from the marshall at Wild\nRose that a girl answering to Miss\nEagelman’s description had taken a\ntrain for Pine River.\nHer father left immediately for Pine\nRiver and found his daughter on the\npoint of leaving for parts unknown\nwith a young woman companion. Tae\nlatter, who has been employed at the\nEngelman home at Marshfield\nand who was twenty-two\nyears of age, unbeknownst to the other\nmembers of the family, had induced\nLillian to promise to leave her home\non some pretense or other and meet\nher at Pine River where the twain ex\npected to “run away”. This attempt\nwas frustrated by Mr. Eogelmsn who\narrived at the rendezvous in the nick\nof time and returned with a penitent\nand, it is hoped, wiser daughter.\nNeedless to say the young girl’s act\ncaused much anxiety to her uncle in\nBaraboo, who met every train since\nher arrival was expected and gone to\nother trouble as well. Her uncle in\nBaraboo states that as far as he knows\nLillian had no reason to leave a good\nhome. In his letter to his brother in\nBaraboo Mr. Engelman does not state\nthe seducer’s name to whom rightly\nbelongs a of the blame.\nSEMI INJURED\nBE HiSE’S HOOF\nAnimal, Uneasy in Black\nsmith Shop, Kicks By\nstander on Skull.\n(Prom Friday\'s Daily.)\nAs Lawrence Luce, son of Mr. and\nMrs. J. H. Luce of Fairfield was\nstanding near his horse in A. R.\nBarber’s blacksmith shop this after\nnoon, the horse became uneasy and\nkicked viciously. The first time Roy\nWashburn, who was standing behind\nthe animal, narrowly escaped. The\nsecond time as Lawrence Luce dodged\nto escape the blow, the hoof\nstruck him on the back of the head\nand threw him, face downward, on a\npile of hammers. The youth was\ntaken to a physician’s office where\nhis injuries were treated. Of j ust how\nserious a nature are the latter, had not\nbeen determined as we go to press.\nLower Rates\nJire Sought\nAt Prairie du Sac there will a pub\nlic hearing on the evening of January\n6 to consider the question of lower\nrates. On the evening of January 14\nthe State Railroad Commission will\nhold another hearing, the village\nboard having asked for an investiga\ntion into the services rendered and\nrates charged by *the Prairie du Sac\nMill & Power company.\n—rMiss Esther Simpson has returned\nfrom Madison where she spent the\npast fortnight.\nLast Sad\ntes for\nVeteran\nThe funeral of Orson Simoads was\nheld at the heme of bis daughter,\nMr. John D. Kramer, Eighth avenue,\nat 2 o’clock on New Years day, Rev.\nE. P. Hall officiating. The bearers\nwers sons and sons-in-law of the de\nceased as follows: E. R Simonds,\n\' *■ .\nORSON SIVIONDB.\nBern on the seventeenth birthday of\nAbnham Lincoln.\nBuried New Years Dsy.\nCyrus Simonds, Freeman Simonds,\nDavid L. Hopper, John D. Kramer\nand Jacob Kramer.\nMr. Simonds whs born February 12,\nthe seventeenth birthday of Abraham\nLincoln. He moved from New Y r ork\nto Illinois and later to Wisconsin. He\nmarched with Sherman to the sea and\nwas in a number of stirring battles.\nMr. and Mrs. D L. Hopper and John\nSimonds of Reedsburg attended the\nservices.\nNorth fiiifield\nMr. and Mrs. Gust Lewis enter\ntained several of their relatives and\nfriends for dinner Sunday.\nLittle Helen Lewis, daughter of Mr.\nand Mrs. Joe Lewis had her tonsils re\nmoved last Saturday:\nMr. and Mrs. James Lamar of Kil\nbourn visited a few days last week\nwith Mr. and Mrs. Marion Lamar,\nalso with Mr. and Mrs. Carl Anchor.\nLit*le Billie Newell of Baraboo is\nvibiting a few days with grandpa and\ngrandma Lamar.\nMr. and Mrs. Fred Flynn and fam\nily and Mr. and Mrs. John Wilson\nand family ate Christmas dinner with\nMr. and Mrs. Calvert.\nNEW YEARS JVE RECEPTIDH\nPastor and Officers of\nChurch Receive Mem\nbers of Congregation.\nThe coagregatioa of the Presbyter\nian church was given a social Wed\nnesday evening in the church parlors\nthe pastor and wife, R=v. and Mrs. E.\nC. Henke, with the officers of the\nchurch formed the reception com\nmittee. A program was given con\nsisting a praise service led by the\nchoirs, followed by selections on the\nVictrola. Then after a pleasant so\ncial hour, refreshments were served,\nthe waitresses being members gof the\nThimble club.\nEH RECEIVED\nNEW MB GIFT\nDavid Evans and Charles Leves\nque failed to climb onto the water\nwagon New Years Day when it rolled\nthrough the streets of Baraboo and\nbeing somewhat disappointed filled\nup with ordinary booze. In order to\nimprove the surroundings Chief of\nPolice Pelton escorted them to the\nbas\'ile and afterwards to the court of\nJustice Andro where they received\nNewiYear gifts of 30 days each. Their\nmoney had all gone for grog.\nMrs. E. M. Pierceson and three\nchildren have returned to their home\nin Cazenovia after a visit with Mrs.\nPierceson\'s mother, Mrs. 8. Corbin.\nBARABOO, V/IS., THURSDAY, JAN. 8, 1914\nOUTI CODES 01\nHI Ml OFYEAI\nFerdinand Rote Summoned\nDuring the Quiet of\nthe Evening.\nBORN IN SWITZERLAND\nWas in the Battle of Gettys\nburg During the\n*Civil War.\nDuring the quiet of the evening on\nthe first day of the year, death entered\nthe home of Ferdinand Rote and in a\nfew moments the veteran was no more.\nAbout 8 o\'clock he brought in a scut\ntle of coal, placed it on the fire, fell or\nlay upon the lounge near by aod in a\nfew minutes was dead. During the\nday he had been unusually happy\nand the messenger of death was en\ntirely unexpected. He had not com\nplained and when the doctor made an\nexamination he came to the conclu\nsion that heart disease was the fatal\nmalady.\nMr. Rote was born in Switzerland\nabout 72 years ago, came to America\nwhen quite young, enlisted in the army\nduring the Civil war when a mere boy,\nfaced death at Gettysburg aod in other\ndecisive battles, moved to Kansas and\nlater to Baraboo. For some time he\nwas with the Chicago & Northwest\nern and later was janitor of the city\nhall and library. During the pros\nperous days of the A. O. U. W . and\nSelect Knights he was an active mem\nber and officer. He was a member of\nthe German Evangelical church. Be\nsides bis wife he leaves the following\nsons and daughters:\nMrs. E. L. Mogler, Baraboo.\nMrs. Emil Engelman, Baraboo. , |\nMrs Otto Johnson, Winona.\nMrs. C. Ciioe, Baraboo.\nConductor William Role, Baraboo.\nCharles Rote, Baraboo.\nMiss Anna Rote, Baraboo.\nThere are several brothers and sisters\nin Pennsylvania.\nTHIRTY-FIFTH ANNIVERSARY\nMr. and Mrs. E. R. Thomas\nare Surprised by Friends\non New Years.\nAt the home of Mr. and Mrs. E. R.\nThomas in Fairfield about fifty neigh\nbors and relatives enjoyed a pleasant\nevening with music, visiting and di\nversions. Thirty-five years ago, Jan\nuary 1,1879, Mr. and Mrs. Thomas\nwere married about half a mile from\ntheir present home. Since then they\nhaved lived in Fairfield and are highly\nesteemed by a large number of friends\nin that vicinity. Supper was served\nand several informal talks given.\nBIG CORPORATION\nSEVERS CONNECTION\nA message from New York says\nthat J. P. Morgan & company had\nsevered connections with some of the\ngreatest corporations in the country\nwith which the firm had long been\nconnected. The firm says the step\nwas taken voluntarily in response to\napparent change in public senti\nment on account of some of the\nproblems and criticisms having to do\nwith the so called interlocking direc\ntoates. Among some of the compan\nies alluded to are the New York Cen\ntral and New Haven railroads.\nSees Folk\nat Capital\nA letter from A. B. Stout, 2936 Bain\nbridge avenue, New York, says he\nrecently visited Mr. and Mrs. Alex\nVVetmorein Washington D. C. Mr.\nWetmore is a son of Dr. Wetmore,\nformerly of North Freedom, and is now\nwith the United States Biological sur\nvey. He recently made a trip to Porto\nRico where he made a survey of the\narian fauna. While in Washington\nDr. Stout also visited Dr. Rodney H.\nTrue and his father, State Stnator\nJohn M. True.\nSNOW—WHAT A DIFFERENCE A FEW YEARS MAKE.\n" A\nUNWISE TO BUY\niCHJJUIO NOW\nProfessor at the University\nDiscusses the High Level\nof Land Values.\nDiscussing the high level of land\nvalues Prof. H. C. T&ylcr of the econo\nmics department of the University of\nWisconsin, declares it unwise for a far\nmer to invest a large share of his sav\nings in the non-interest-bearing spec\nulative margin which exists in the\npresent price of land. Writing for the\nBreeders’ Gazette, he says there are\nmany reasons for the belief that the\nyoung man had better pay rent a\nwhile longer than buy land at present\nprices unless he \'has at least 50 per\ncent of the purchase price in addition\nto the funds required for equipping\nand operating the farm. Prof. Taylor\nsays that he fears that the prices of\nland has been rising too rapidly and\nthat present prices are high speculative\nis rapidly gaining in its hold upon\nthe minds of farmers.\nHUMPTY DUMPTV GOING UP\nProfessor Says the Price of\nEggs Will Reach a\nDollar.\nProfessor W. Theodore Whittman\nof Franklin, Pa., predicts that the\nprice of eggs will go to one dollar a\ndozen within two years. This is some\nthing for biddy to cackle about.\nHorn-Tooting and\nProud Pufferies\nHugh Kelly Discourses on Quick Results which\nSo netirt:es Come\nIn this world of horn-tooting and\nproud puffiness, of foolishness, and\nfraud, we are too prone to suspect\nthat everybody has an “axe to grind.”\nWhen the editor tells about “quick\nresults” from want ads some there\nare who say he is tooting his own\nhorn but listen while I tell you some\nthing: Tae other day I picked up a\nbundle of house furnishing goods in\nthe road and started at once for the\nprint shop. On my way I met Elmer\nJohnston in front of his store and he\nasked me where I got the package. I\ntold him on East street between Reul’s\nplaning mill and the cemetery. He\nsaid he sold it to a lady living in Fair-\n—Artigue in Kansas City Times.\nFORGOT TO REGOBO\nDEED OF_PROPERTY\nCosts Over SIOO to Straigh\nten Matter Out Before\nSale Is Made.\nRecently a Sauk county resident\nlearned that failure to record property\ndeeds is rather costly. The man\nbought a piece of property eleven\nyears ago and failed to have the deed\nrecorded. Lately he had a chance to\nsell the property and when he was\nabout to make the deal he discovered\nthat for certain reasons his title was\nnot perfect, and in order for him to\nmake the sale it would have to be\nmade so. He consulted local abstract\nagents and he was not a little shocked\nwhen he wp.s set back over SIOU for\nhaving the title made perfect.\nDescended of Roger Williams.\nThe last issue of the Prairie du Sac\nNews contains an obituary sketch of\nRev. W. J. Turner who preached in\nBaraboo a number of times and who\nwas formerly the pastor of the Pres\nbyterian churches in Kilbourn and\nPrairie du Sac. While in Baraboo he\nvisited at the home of Mr. and Mrs.\nD. A. Lewis. He was a deßcendent of\nRoger Williams on his father’s ide\nand his mother was of the Mayflower\nFuller family. He was born in New\nYork about 57 years ago, was a mem\nber of the Masonic order and death\nresulted from heart disease of long\nstanding. He died at Iron wood,\nMich., and was buried at Kilbourn.\nMiss Gertrude Sheridan has gone to\nAlgona, lowa, via. Chicago where\nshe will take up her work as librarian.\nfield and would give it to her when\nshe called. Quick enough, not Elmer\nbut the “results”. Again last week\nwhen the dust was strangling the\nNews editor in desperation he prayed\nfor water. Yesterday it snowed a\ncouple of inches and today we are\nhaving our January thaw. No more\ndust in Baraboo to drown with its\nsombre clouds the halo of beauty that\nour new lighting system throws\naround the Gem City. Brother Shud\nlick may spike his street sprinklers\nand turn his horses out to grass. The\neditor prayed even batter than he\nknew.\nHugh Kelly.\nREAD BY EVERYBODY\nmm on\non ns oat\nAll Kin and Connection of\nof Lusby Families Jolli\nfy at Elkington’s Hall.\nMIX ALL EXCEPT DRINKS\nAbout Sixty five 3ather to\nDrink, Eat And Be\nMerry.\nThe lonely wanderer who had rol\neven a fourth cousin with whom to\ndrink the health of the New Year t\nhastened away from the vicinity of\nElkington’s hall yesterday, from\nwhence sounds of merriment Issued\nfrom ten to ten. Over sixty-five mem\nbers of the Lusby families which in\ncluded a large number of Elkingtons,\nJudevines, Dal lings, Roslgs and\nothers, made the first day of 1914, a\nmost memorable one, there. The com\npany began to assemble at 10 o’clock.\nThe womenfolk attached the prepara\ntion of a prodigious dinner composed\nof all the good things ever contained\nin a holiday feast. At one the meal\nwas served and as Me Beth remarked\non a far different occasion “did good\ndigestion wait on appetite and health\non both.’\' The program began after\ndinner, almost everone present doing\ntheir share. John Eikington gave\nthrfe character son?s in his best style,\nMiss Effle Lusby gave a most credi\ntable reading, while others present,\nsang, played and recited, all with ta\nlent. A little playlet, adapted from\nMrs. Wiggin’s “Bird’s Cbils mas\nCarrol” was given by the young folks,\nunder the direction of Miss Maud Ei\nkington in which Mrs. Itu?gles and\nher brood prepared to eat Christmas\ndinner out. The play caused much\namusement and applause. Dancing\ncame next when old and young oiie\nstepped and tangoed, waltzed and\nquadrilled to their heart’s content.\nAfter supper the good time was con\ntinued until ten o’clock, when the\ntired but happy company dispersed.\nSince the last reunion, which took\nplace four years ago no deaths have\noccurred in the family.\nTEAM MIS MM\nHER DUB\nAccident Occurs Near Se\ncond Ward School on\nNew Years Day.\nOn New Years morning a team be\nlonging to Owen Edwards ran from\nthe Baraboo creamery and in the mad\ndash one of the horses fell near the\nSecond ward school and broke its\nneck. The other animal was not ser\niously injured. The team was stand\ning at the creamery and when an\nother team started, the Edwards\nhorses broke away and dashed down\nthe street with the cream wagon. The\nanimal was a valuable one.\nLandmark of\nOVer Century\nIs No More\nA veteran oak, which has been es\ntimated to be almost two hundred\nyears old and which stood on the\nlawn of the Stanley property on Ash\nstreet, was cut down on Wednesday.\nMr. Stanley says that pioneers have\nestimated the age of the tree as 150\nyears and have told of its being\na landmark in the times of the In\ndians. An attempt was made to coue t\nthe “rings” on a cross section of the\ntree, although impossible to do so\nEccurately, over one (hundred were\ncounted.\nLicensed to Marry\nOtto E. Bchafer of Adrian, Minn. t\nand Hilda Minnie Biefert of Cale\ndonia. i', 'batch': 'whi_lethifold_ver01', 'title_normal': 'baraboo weekly news.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn86086068/1914-01-08/ed-1/seq-1.json', 'place': ['Wisconsin--Sauk--Baraboo'], 'page': ''}, {'sequence': 1, 'county': ['Kenosha'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85040310/1914-01-08/ed-1/seq-1/', 'subject': ['Kenosha (Wis.)--Newspapers.', 'Wisconsin--Kenosha.--fast--(OCoLC)fst01203049'], 'city': ['Kenosha'], 'date': '19140108', 'title': 'The Telegraph-courier. [volume]', 'end_year': 1946, 'note': ['Available on microfilm from The State Historical Society of Wisconsin.', 'Editor: M. Frank, L.A. Cass, 1888-Aug. 7, 1890.--L.A. Cass, Aug. 14, 1890-Aug. 13, 1891.--F.H. Hall, Aug. 20, 1891-Oct. 1, 1896.--G.P. Hewitt, Nov. 4, 1897-Aug. 29, 1901.--S.S. Simmons, Sept. 5, 1901-<1915>.--W.T. Marlatt, <1915>-Apr. 16, 1925.', 'Publisher varies.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Kenosha, Wis.', 'start_year': 1888, 'edition_label': '', 'publisher': '[L.A. Cass]', 'language': ['English'], 'alt_title': [], 'lccn': 'sn85040310', 'country': 'Wisconsin', 'ocr_eng': 'Established\nIn\n1839\nVOLUME LXXV.\nROSTER OF BRAVE\nLists Are Compiled of Men\nWho Gave Service to Na\ntion During Civil War.\nPLAN A LASTING MEMORIAL\nT. H. Lyman Submits Lists For Var\nious Towns in the County and Asks\nPeople to Aid him in Securing Names\nof Any Who May Have Been Omitted\nThis week is presented the veteran\nlist for the township of Paris. So far\nno names of those who enlisted away\nfrom home have been sent in. This is\nimportant. Please to give the matter\nattention The request to send in war\nrelies has been responded to in one in\nstance. Comrade Gilbert H. Gulick has\nsent the officers’ sword of the first\nlieutenant of his company, Elliott M.\nScribner, a Kenosha school boy, who\nformerly lived at the corner of Park\navenue and English Court. Mrs.\nDwight Burgess has sent very interest\ning letters from the front written by\nJames Weed of the Hirst Wisconsin\nCavalry. They have been typewritten,\nto be read by future generations and\nthe originals have been returned to\ntheir owner. A hint to the wise should\nbring other contributions to the ar\nchives and collection of relics. Send\nwar time photographs carefully labeled.\nAddress F. U. Lyman, 432 Park Ave.\nParis.\nHorace 0, Blackman Ist. Cav. F.\nAndrew J. Hobbs Ist. Cav. I.\nJohn C. Coles Ist. Cav. L.\nEdwin Cooley Ist. Cav. M.\nCassius M. Cooley Ist. Cav. M.\nJames If. Delong Ist. Cav. M.\nJohn Henderson Ist. Cav. M.\n1\' .-ter M<; ers Ist. Cav. M. I\nChester C. Shepherd Ist. Cav. M.\nEdwin R. Shepherd Ist. Cav. M.\nHomer Marsh Ist. Cav. M.\nLudwig Fuerst 2nd. Cav. 11.\nJacob Lang 2nd. Cav. H.\nPeter Wagenor ’....2nd. Cav. H.\nWm. R. Guilfoyle 2nd. Cav. I.\nJohn W. Langford. .Ist. Rg. Hy. At. A.\nJohn Devos Ist. Rg. Hy. At, H.\n"Michael Kias Ist. Rg. Hy. At. H.\nJohn Murgatroyd.. Ist. Rg. Hy. At. H.\nEllis Seed Ist Rg. Hy. At. H.\nBenjamin Smith .Ist. Rg. Hy. At. H.\nJames Smith Ist. Rg. H. At. H.\n( has. Sutherland.. Ist. Rg. Hy. At. H.\n(>li\\ r L. Watkins. . Ist. Rg. H. At. H.\nJohn E. Pierce.... Ist. Rg. Hy. At. K.\nB. Wagner Ist. Rg. Hy. At. D.\nJahn Gratz Ist. Inf. C., 3 mos.\nPi er Groh Ist. Inf. G., 3 mos.\nClark M. Stover.... Ist. Inf. G., 3 mos.\nFrederick Hermann. .Ist. Inf. E., 3 yrs.\nSeth I>. Myrick, Jr.,. .Ist. Inf. E., 3 yrs.\nAndrew Selles Ist. Inf. G., 3 yrs.\nph Yonnock 6th. Regt. B.\nChristian Hie 6th. Regt. K.\nY m. Beazley 7th. Regt. C.\nGeo. W. Bcaz’ey 7th. Regt. C.\nLewis A. Williams 7th. Regt. C.\nThomas Carter 10th. Regt. I.\nEdwin Piddington....’.. ,10th Regt. I.\nJohn Baker 11th. Regt. H.\nMelanethon Rohanan. .. ,11th Regt. H.\n( has. W. Smit: 11th. Regt. H.\nThomas W. Kitelinger. .12th. Regt. A.\nGeo. Weiderhold .•.12th. Regt. H.\nGoo. N. Green 12th. Regt. E.\nFrank Keiser 17th. Regt. K.\nloseph Toner 17th. Regt. B.\nIsom Taylor 20th. Regt. F.\nFrederick Herman 21st. Regt. C.\nJohn John’on 21st. Regt. H.\nMathias Hansgen 26th. Regt. C.\nPeter Kreuscher 26th. Regt. C.\nNicholas Paulus 26th. Regt. C.\nFranklin Tarry 26th. Regt. C.\nPeter Weber 26th. Regt. C.\nGeo. N. Green 29th. Regt. H.\nJoseph F. Linsley 33rd. Regt. H.\nGeo. Hale 33rd. Regt. H.\nJohn Baker 33rd. Regt. H.\nWarren E. Baker 33rd. Regt. H.\nMelanethon Bohanan... ,33rd. Regt. H.\nHezekiah Case 33rd. Regt. H.\nWm. H. Coburn 33rd. Regt. H.\nStephen W. Collett 33rd. Regt. H.\nAlexander Gray 33rd. Regt. H.\nJohn Gray 33rd. Regt. H.\nAsa Harris 33rd. Regt. H.\nNorman Johnson 33ra. Regt. H.\nHenry Kastman 33rd. Regt. H.\nNicholas Klass 33rd. Regt. H.\nWm. Lieber 33rd. Regt. H.\nChas. P. Mathews 33rd. Regt. H.\nWm. Orcutt 33rd. Regt. 11.\nBenj. W. Palmer. ..... .33rd. Regt. JI.\nJohn Reburn 33rd. Regt. H.\nGeo. Reynolds 33rd. Regt. H.\nChas. W. Smith 33rd. Regt. H.\nFrederick B. Taylor 33rd. Regt. H.\nJacob Windish 33rd. Regt. H.\nHarvey Wood 33rd. Regt. H.\n( lark M. Stover 33rd. Regt. I.\nMyron A. Baker Ist. Regt. inf. G.\nFrancis L. Tinkham 33rd. Inf. H.\nJehu Brown 34th. Inf. D.\nJohn Dunkirk , 34th. Inf. D.\n(Thi\'\nJohn Engbard 34th. Inf. D.\nJohn Frohlich 34th. Inf. D.\nGeo. Gill 34th. Inf. D.\nGilbert H. Gulick 34th. Inf. D.\nJohn Wyler 34th. Inf. D.\nGeo. W. Bailey 35th. Inf. E.\nThomas C. Carter.. 35th Inf. E.\nJoseph F. Patterson 35th. Inf. E.\nJohn W. Bridge 35th Inf. G.\nAnthony Haney.... 36th. Inf. B.\nGeo. Hauser 36th. Inf. B.\nGeo. Hoadley .....36th Inf. B.\nAndrew E. Perkins...... ,36th. 1nf.,8.\nFranklin N. Brasher 37th. Inf. A.\n"Wm. H. Cooper 43rd. Inf. B.\nWm. L. Kline 43rd. Inf. B.\nPeter B. Lippert 4 3rd. Inf. B.\nRichard N. Taylor 43rd. Inf. B.\nSami Terrell 43rd. Inf. B.\nLewis A. Williams 43rd. Inf. B.\nLevi Duckett 43rd. Inf. D.\nAlex McPherson 43rd. Inf. D.\nHenry Rister 43rd. Inf. D.\nMaxim Smith 43rd. Inf. D.\nMichael L. V. ill is 43rd. Inf. D.\nGeo. W. Myrick 43rd. Inf. G.\nFrancis W. Newbury 43rd. Inf. G.\nPatrick Nolan 43rd, Inf. G.\nPeter Devos 43rd. Inf. G.\nJohn A. Harris 43rd. Inf. G.\nJesse M. Hughes 43rd. Inf. G.\nLawrence (Jasper..., 44th. Inf. B.\nChas. E. Hudson 44th. Inf. G.\nDavid B. Hudson 44th. Inf. G.\nPatrick Cain 46th. Inf. F.\nJames Grady 46th. Inf. F.\nWm. Brunton 47th. Inf. F.\nMichael Donnelly 48th. Inf. C.\nFree W. Downing 48th. Inf. C.\nIra J. Mosher 48th Inf. C.\nFrederick Pellman 48th. Inf. C.\nThomas H. Wood 48th. Inf. E.\nBenj. F. Bailey 50th Regt. E.\nEzra M. Bus well 39th. Inf. C.\nWm. Emmett 39th. Inf. Ct\nM. M. Hale 39th. Inf. C.\nJohn Jones 39th. Inf. C.\nEdward Tremlett 39th. Inf. C.\nHenry Downey 39th. Inf. C.\nLavett Fredenburg 22nd. Inf. A.\nWATER MUCH BETTER\nTests of City Water Show\nValue of Hypochlorite\nTreatment of Water.\nNO DANGEROUS GERMS FOUND\nThe following are the results of\nanalyses of two sets of samples of city\nwater, the first collected Ju’y 31st,\n1913, about two months after the be\nginning of the hypochlorite treatment,\nand while there still remained a large\namount of untreated water in the\ncity mains, and the second collected\nDecember 31st, 1913, after the hydrants\nhad been flushed a number of times and\nthe hypochlorite had penetrated to all\nparts of the system:\nJuly 31, 1913.\nSource of Sample. Bacteria.\n772 Milwaukee Ave 4990\n381 Division St 1150\n300 N. Pleasant St 3455\n169 Howland Ave 6910\nBain School (unflltered water) ... .1410\n1067 Prairie Ave 1150\n718 Newell St 6655\n788 Fremont Ave 155\n818 Ashland Ave 1920\nGeo. Pirsch\'s residence Park Row\n(dead end) 3070\nPumping Station 50\nCity Hall Laboratory 1150\nDecember 31, 1913.\nGeo. Pirsch\'s residence Park Row\n(dead end) 12\n788 Fremont Ave 10\nBain school (unfl/ered water).... 6\n260 Bronson St 12\n619 Middle. St 14\nPumping Station 6\nGity Hall Laboratory 4\nB. Coli was absent in every sample\nin each set of samples.\nOFFERS CITY A CHRISTMAS TREE.\nH. B. Rooney, of Chicago, Would Ship\nOne to Kenosha From North Woods\nHenry B. Rooney of Chicago, who has\ninterested himself in the municipal\nChristmas tree plans has sent a letter\nto Mayor Head offering to donate to\nthe city of Kenosha a great pine tree\nto be planted somewhere in the city\nand to be used as a perpetual Christmas\ntree. Rooney furnished the municipal\ntree to Chicago this year. The proposi\ntion is that he will ship the tree to Ke‘-\nnosha with the soil frozen about the\nroots and he holds that if it is planted\nunder such conditions that the transfer\nof it from the northern forests to Ke\nnosha will in no way retard its growth.\nRooney plans to ship trees to seventy\ncities in Illinois, Indiana and Wiscon\nsin.\nMayor Head declared today that he\nwas favorable to the proposition and he\nsuggested that the tree be secured and\nset up in the Market Square Park at\nthe intersection of Church street\nSTARTS ON 810 TASK\nMayor Head Busy Investi\ngating Petitions Asking\nFor Commission Form.\nSMALL MARGIN TO WORK ON\nI\nMayor Declares That He Wil. 1 Rush the\nWork of Investigation and Is»,.t For\nmal Proclamation Just as Soon as Ha\nIs Satisfied With the Petitions.\nMayor Dan 0. Head has started the\narduous task of checking up the names\non the petitions demanding a referen\ndum on the commission form of govern\nment. At the last general election in\nthe city there were 4,010 votes cast for\nall the candidates for mayor and in or\nder to have the question of the com\nmission form submitted to the people\nthe petitions now in the hands of the\nmayor must contain the names of 1,010\nqualified electors of tne city of Keno\nsha. The petitions contain exactly\n1,027 names so that the margin is but\nseventeen and it is probably that this\nwill be reducted by the elimination of\nduplicate signatures. Mayor Head will\nprobably he abb to complete the ex\namination of the names on the petition\nwithin two weeks and if he is satisfied\nthat the number is sufficient he will\nlose no time in issuing his proclama\ntion. Under the law the election must\nbe held within sixty days after the\npresentation of the petition and the\nproclamation of the mayor must be is\nsued within thirty days in order to\ngive time for the preliminaries to the\nprimary.\nThe law provides that should the com\nmission form be adopted by the refer\nendum vote that the candidates for\nmayor and for councilmen must be\nnominated at a regular primary elec\ntion. This primary is to be held under\nthe law which has governed city pri\nmaries in the past. The candidates\nmust silo affidavits of their candidacy\nat least twenty days before the date\nset for the primary and the affidavits\nmust be accompanied by a petition\nsigned by at least twenty-five electors.\nAll petitions must be circulated at\nlarge and under the commission form\nward lines will be entirely w : ped out.\nSome of the opponents to the com\nmission form lave insisted already that\nthe petition is insufficient, they holding\nthat the law demands that the petition\nbe signed by one-fourth of the number\nof electors who voted at the last gen\neral election. T\' iy hold that many\nvotes were cast blank for the office of\nmayor and that the total number of\nall the votes cast was largely in\nexcess of the number received by the\nthree actual candidates. The reading\nof the law appears to be plain and it\nstates that the petitions shall be sign\ned by twenty-five per cent of the votes\ncast for all candidates for mayor. No\nmention of the blank votes is made in\nthe law. This matter has been referred\nto the «city attorney for a decision.\nThe clans have already begun to line\nup for and against the proposed change\nin the form of government of the city.\nMany of the workingmen of the city\nseem to be committed to the new form\nand it has a large support among the\nheavier tax payers of the city. The\nplan is opposed by the men who have\nbeen active in politics as these men\n, seem to prefer the old form.\n“It will take a long while to get\nover these petitions,” said Mayor Head\nin discussing the matter. “There are\na lot of names on them that I have\nnever heard of and I shall be forced\nto refer to poll lists i 1 order to satis\nfy myself that the petitions contain the\nrequisite number of electors. Just as\nsoon as I am convinced that this is true\nI will make the proclamation provided\nby the state law.”\nONE MAN RELEASED.\nJulius Elbi Arrested on Charge of Aid\ning Fugitive Released on Tuesday.\nJulius Elbi, one of the Italians ar\nrested on Monday night on charges of\nhaving aided in the escape of Peter\nCovalla, who was charged with attempt\ned murder, was released on Tuesday\nnight at the order of District Attorney\nAL. Drury. The district attorney held\n; that the evidence was not sufficient to\nhold Elbi for a preliminary hearing in\nthe municipal court. This morning a\nformal complaint was issued for the ar\nrest of James Jendi, who is charged\nwith having furnished the money to\nCovalla to go to Italy. The hearing\nwill be taken up in the municipal court\n■ late this afternoon or Thursday morn\npng. In the meantime active steps are\nbeing taken to locate Covalla in South\nAmerica and it is possible that ha wjj]\nJic brought back for trial.\nKENOSHA, WISCONSIN. JANUARY 8, 1914.\nSHOWS BIG INCREASE\nPostal Receipts of Kenosha\nPostoffice Jump $15,000 in\nthe Year of 1913.\nANNUAL HEPOfIT ISSUED TODAY\nPostmaster and Assistants Are Hopeful\nThat Kenosha Wid Supplant Green\nBay as Sixth in List of Postoffices in\nWisconsin in the Annual Report.\nAssistant Postmaster Michael F.\nZeus today .issued his annual report of\nthe receipts of the Kenosha postoffi.ee\nin the sale of stamps and this report\nshows that the year 1913 brought a re\ncord increase in the business of the\nKenosha postoffice. So great is the in\ncrease that the officials of the local of\nfice are of the opinion and entertain\nhigh hopes that Kenosha will supplant\nGreen Bay as the sixth office in the\nstate in the matter of stamp sales.\nKenosha jumped over Sheboygan in the\nreport made by Postmaster Welch of\nEau Claire, a year ago, and it is expect\ned that the statistics of the state ofiices\nto be issued some time this month will\ngive Kenosha another boost. This will\nmake it sixth with Oshkosh fifth\nand Oshkosh is so far ahead of Keno\nsha that it is feared that it will be\nseveral years before the Kenosha office\ntakes an upward step in the list of the\noffices of the state.\nThe increase in the postal receipts\nof the local office over the receipts in\n1912 is more than fifteen thousand dol\nlars, the largest increase ever showm in\nan annual report. The business of the\nparcel post system is reflected in this\nyear\'s business, but at that the busi\nness of the office for December is only\n$450 greater than the bigness of the\npreceding year. • I!LL-the fir#\nten thousand dollar month in the sale\nof stamps in the Kenosha office, the re\nceipts for the month of May passing\nthe ten thousand mark and being more\nthan $3,000 greater than the receipts in\nthe same month last year.\nThe report sent out this year com\npares the receipts of the office over a\nterm of eleven years. It shows that in\n1902 the receipts of the office (postal)\nwere $22,627.88, considerably less than\none-fourth of the receipts during the\nyear just closed. In 1907 the receipts\nhad jumped to $48,996.67; in 1910 they\nreached $63,855.69; in 1911, $75,361.42;\nin 1912, $83,503.38, and in 1913,\n$98,815.86.\nIt will be noted that the increase in\nthe sales for the last year was within\nseven thousand dollars of the increase\nin the five years from 1902 to 1907.\nThe monthly sales of stamps for 1913,\nas compared with 1912, are as follows:\n1912. 1913.\nJanuary $ 7,338.85 $ 8.591.51\nFebruary 5,518.16 7,244.83\nMarch 8,057.43 9,143.30\nApril 6,155.74 9,208,27\nMay 7,026.72 10,189.08\nJune 5,715.59 7,575.21\nJuly 6,812.44 7,768.93\nAugust 7,074.47 6,564.30\nSeptember 6,443.15 8,272.42\nOctober 7,168.76 7,339.26\nNovember 6,439.95 7,016.36\nDecember 9,455.12 9,905.39\nTotals $83,503.38 $98,815.86\nMUST CARE FOR HYDRANTS.\nWater Commission Would Put Fire Pro\ntection in Charge of Department.\nThe water commission at its regular\nsession on Tuesday night took steps to\nput all work in connection with the\nmaintenance of the fire hydrants under\nthe charge of the chief of the fire de\npartment. In order to make this pos\nsible the commission ds planning to in\nstall special taps, which may be used\nby patrons having contracts for street\nsprinkling and after these taps are put\nin the street sprinklers will not be per\nmitted to take water from the fire\nhydrants under any consideration. The\nmembers of the commission spent more,\nthan an hour discussing filtration plans\nbut nothing of a definite nature was\ndone. The commission expects to have\nits report on the proposed filtration\nplant ready for submission to the coun\ncil either at the next regular meet\ning or at the first meeting of the coun\ncil in February.\nSTORE CLOSED.\nOur store will be closed all day Fri\nday to mark down the entire stock for\nour big clearing sale which opens Sat\nurday, 9 a. m.\njßdwadv S. & J. Gottlieb Co.\nA number of Kenosha people will go\nto Johnsburg, near Fond <lu Lar, on\nThursday to attend the furu»ral of the\nlate Mrs. Joseph Lind’\nHAi- J MERRY TIME\nWaukegan Knights of Co\nlumbus Members Conduct\nBig Meeting in Kenosha\nBIDINGER LEADS INVADERS\nPostmaster Daniel Grady of Waukegan\nDoes Stunts for the Amusement of\nKenosha Members—Covers For 150\nat Banquet Which Followed Meeting.\nWaukegan and Kenosha members of\nthe Knights of Columbus made merry\nin Kenosha on Tuesday night when\nclose to fifty members of the Waukegan\nCouncil headed by Mayor J. F. Bidin\nger and Postmaster Daniel Grady came\nto Kenosha to be the guests of the\nKenosha Council. They came on a spe\ncial car and they came prepared to\ntake charge of all the proceedings of\nthe evening and when they marched in\nto the council hall the officers of the\nKenosha Council yielded their chairs\nto the visitors and all that the Kenosha\nmembers had to do was to spread the\nglad hand and accept the splendid en\ntertainment provided by the visiting\nknights.\nThe Waukegan team had charge of\nthe regular meeting of tht, council and\nafter the work was completefl Mayor\nBidinger was introduced as master of\nceremonies and for an hour the visit\ning knights put on an entertainment\nthat made the Kenosha members of the\norder sit up and take notice.\nThere were musical numbers and\nvaudeville stunts furnished by the vis\nitors and there were addresses breach\ning fraternal greetings by the Wauke\ngan mayor. Postmaster Grady, Louis\nDurkin, John Broderick. John Reardon\nand James Gallagher. Every one of the\nsp<nkcrs had to say. The\nWaukegan visitors urged a closer rela\ntionship between the members of the\norder in Kenosha and Waukegan, and\nspoke of the common interest of all in\nthe advancement of the Work of the\nKnights of Columbus. There were\ntoasts to the order and to its work in\ntwo of the great states in the union.\nAfter the Waukegan men had sang\nand talked themselves tired the Keno\nsha members showed that they were not\nlacking in hospitality and led the way\nto rhe banquet hall where a dinner was\nserved at which covers were laid for\nmore than 150. After dinner was over\nthere was more talking and more good\nfellowship. The members of the Ke\nnosha Council accepted an invitation to\nhave charge of the next meeting of the\nWaukegan Council, and an effort will\nbe made to have at least a hundred\nKenosha knights visit Waukegan on\nthat occasion.\nThis promises to be a banner year\nfor the Kenosha Council and already\nmore than forty applications have been\nreceived. It is planned to arrange for\nthe initiation of a class of more than\n60 members in about two months and\nthis class initiation will be made the\noccasion of one of the biggest gather\nings ever held by the Kenosha Council.\nBIG SUIT IS SETTLED.\nSIO,OOO Suit Brought by Angelo Copen\nAgainst Brass Co. Dismissed Today.\nIn the municipal cpurt this morning\nJudge Randall handed down a formal\norder dismissing the suit brought by\nAngelo Copen against the Chicago Brass\ncompany in which the plaintiff had de\nmanded damages to the amount of $lO,-\n000. The order for dismissal of the sun\nwas based on a stipulation of the at\ntorneys in the case which indicated\nthat the case had been settled out of\ncourt, but no facts in regard to the na\nture of the settlement were made pub\nlic. The attorneys for the defendant\ncompany had filed a demurrer demand\ning the dismissal of the action and the\nmotion was under consideration by the\ncourt when the notice of settlement\nwas received. Copen lost an eye in an\naccident at the plant of the company\nsome time ago.\nOUTSIDERS SEEKING JOBS.\nWorkmen Coming From Other Cities to\nTake Advantage of Prosperity.\nSpeaking in regard to the number of\nmen out of employment in the city, tba \\\nmanager of the Manufacturers’ Em\nployment bureau makes the statement\nthat out-of-town applicants are coming\nin much faster than they can be placed.\nDuring the first two days of the present\nweek the bureau received applications;\nfrom forty-two machinists, thirty\'\nwoodworkers, sixteen painters, besides\nnumerous other tradesmen. AH this\ngoes to show that the crowded condi- ■\ntion.of the labor market is due more’\nto the influx of outside mechanics than i\nL to idle people al home. t\nSEEK REBATE RELEASES.\nCity Attorney Draws Formal Release\nfor Market Square Paving Rebates.\nThe city officials are planning to ef\nfect an early settlement of the question\nof the payment of rebates for paving\non the south side of Market Square by\nthe, railway company and City Attorney\nSlater is bow drawing releases to be\nsigned by each of the property owners.\nThe city has agreed to pay to the prop\nerty owners one-half of the amount re\nbated by the company. It is claimed\nthat every property owner on the south\nside of the square with a single excep\ntion has agreed to sign the release.\nThe exception will probably be taken\ncare,of by the railway company. Mayor\nHead is anxious to have these releases\nsigned and in the hands of the company\nbefore the next meeting of the council\nin order that a final settlement of all\nthe troubles between the city and the\nrailway company may be made at that\ntime. The company has agreed to pay\nthe rebates under this plan.\nMAKES CERTIFICATE SPECIFIC.\nDr. Bernstein Writes in Eugenics Cer\ntificate that Test was Not Used.\nDr. M. A. Bernstein is taking no\nchance of laying himself liable to prose\ncution under the Wisconsin marriage\nlaws and on Tuesday afternoon when\nhe issued a certificate on which Sam\nStrumau secured a license to be mar\nried to Miss Mary Honda, in the cer\ntificate Dr. Bernstein filled out all of\nthe blank spaces but at the bottom of\nthe certificate he wrote: “Wasserman\ntest not need in making this examina\ntion.” Physicians of the city are\nkeeping a close watch on developments\nin connection with the law but it is\nunderstood that with an opinion of the\nattorney general relieving them from\nany serious responsibility that all of\nthem will issue the certificates when\nthey are applied to for them.\nSENDS A WARNING\nFederal Naturalization Bu\nreau Denies Authority of\nBook Sold te Alim,?.\nNO VIEWS OF HEAD OFFICIALS\nB. M. DeDeimar, clerk of the circuit\ncourt of Kenosha county and in charge\nof all naturalization work in this\ncounty, has received the following\nwarning from the department at Wash\nington. It is said that the book re\nferred to in the letter has had a wide\ncirculation io this city and county.\nTo Chief Naturalization Examiners.\nExaminers, Officers of the Naturali\nzation Service, Clerks of Courts ex\nercising jurisdiction in naturalization\nmatters, and others concerned.\nIt has been brought to the attention\nof the department that a publication\nentitled “Syllabus-Digest of Decisions\nUnder the Law of Naturalization of\nthe United States,” purporting to be\nthe work of Jerome C. Shear, chief\nnaturalization examiner at Philadelphia,\nPennsylvania, has been issued and is\nbeing advertised for sale by circular\nletters.\nIn order that the public may not*as\nsume, from the published position and\ntitle of the author, that the contents\nof said publication are, in whole or in\npart, an authoritative expression of the\nofficial administrative view, the depart\nment feels it to be incumbent upon it\nto disavow all responsibility for the\ncontents of said publication. The de\npartment advises all whom it may con\ncern that it alone has authority to de\ntermine whether an official publication\nshould be issued in relation to any law\nover which it has administrative super\nvision, or what, if such publicaton\nshould be issued, its contents should be.\nAll officers of the naturalization\nservice are directed to give this circu\nlar such publicity as may be necessary\nto counteract any misapprehension as\nto the character of Examiner Shear\'s\npublication.\nW. B. Wilson, Secy.\nAutomobile licenses for 1914 are uow\ndue but few of the machines pow being\ndriven on the streets are carrying the\nnew figures. After January Its any\nautomobile owner driving without the\nnew figures. After January Ist any\nbut the police will exercise considerable\ndiscretion in the matter of enforcing\nthis law for a week or two yet ami any\ndriver who can furnish satisfactory\nevidence that he has made application\nfor his new license is not likely , to be\npenalized for driving without it.\nGeorge Ela of Rochester for many\nyears a leader among the members of\nthe county board of Racine county, has\nresigned his position. He was chair\njnan of tie board for a number of\nOlde& Paper\nIn\nThe Northwest\nNUMBER 37\nASKS MORE FIREMEN\nChief Isermann Asks Coun\ncil to Add Six Men to th®\nFire Fighting Force.\nNEW STATION FOR WEST SIDE\nChief in Eighth Annual Report Show!\nThat There Were 99 Fires in Past\nYear With a Total Loss of $9,000.00\nFully Insured—Equipment Valuable,\nSix new firemen and a new engine\nhouse on the west end of Grand avenue\n! are the principal recommendations made\n; by Chief of the Fire Department Iser\n. maun in his eighth annual report of the\n\' department which has been filed with\n1 the city clerk and which is now being\n■ considered by the committee on firo\n\'department of the (ommon council.\nIn his report the chief urges very\nf sbongly the extension of the work of\n| the department along all lines. He de\nclares that to get the greatest ef\n| ficiency from the splendid apparatus\ni provided by the city that more men\n■ are necessary. He seeks to have added\nj men at each of the stations and men\nlto take care of a new station to ba\nbuilt next summer if possible. In addi\ntion to this the chief declares that the\nrebuilding of the fire alarm system is<\n! now a necessity. He holds that during\nI the year alarms have failed to come ini\non account of the condition of the ap\ni paratus at the city hall. His sugges\ntion is that the system be divided into\nsix circuits in order to make it easier\nto locate the breaks. At the present\ntime there are but two circuits. He sug\ngests the installation of a six circuit*\ni repeater and the exchanging nf the\nI nresent two circuit switch board for anj\nj C\'ght circtl L . board. JSit\'h changes\n•Auld no s <J; ,v f or |]j e\ndiate demands of the department, but\'\nalso for the future. He asks that the\ncity provine at once for the installation!\nof eight new fire alarm boxes. The’\ncouncil has already taken up the ques\ntion of the erection of a new station 1\non West Grand avenue and the mem\nbers of the council are divided as to\nthe necessity of such an expenditure at\nthis time but it is not improbable that*\nthe new house will be ordered before 1\nthe end of the present year. No ap\n\' propriation has leen made for the erec-\nI tion of the horse in the annual budget\ni of the citv. tut this is not a bar to the\nbuilding of the house as there was no\nappropriation made for the new build*\ning in the third ward recently com\ni pleted.\nThe annual report of the chief con\ntains a lot of interesting statistics. It\nshows that the value of apparatus own\ned by the city for fire purposes is well\nover $25,000 and that Kenosha has the\nonly complete motor fire service to be\nfound in the state of Wisconsin. The\nreal estate and buildings owned by the\ncity and used for the fire department\nare value at $50,000. The report shows\nthat during the year the department was\ncalled out ninety-nine times and of this\nnumber of calls but twenty were box\ncalls. The total loss on buildings and\nstocks during the year amounted to\n$8,820 and this loss was covered by an.\ninsurance of many times its amount.\nThe majority of the fires attended dur\ning the year were small blazes in which\nthe loss was less than SSO and the larg\nest loss reported was $2,000. This loss’\nwas entirely covered by insurance.\nThe financial report is interesting.\nIt shows thai the cost of maintenance\nof the department for the year was\n$29,946.47. Of this amount $14,712.52\nwas paid out in salaries to the members\nof the department and $7,518.65 was\nexpended for real estate and buildings.\nThe expenses for apparatus during the\nfiscal year amounted to $4,861.74, this\nbeing the amount paid for new appara\ntus after deducting the amounts re\nalized by the city by sale of old;\napparatus.\nIn his report the chief pays high tri\nbute to the work of the men under him,\'\ndeclaring that they have at all times\nbeen faithful to their duties and that\nthey have rendered most efficient’\nservice to the city.\nThe recommendations of the chief\nwill be taken up at an early meeting\nof the council.\nThe jury which heard the ei iilenee ia\nthe suit of John Stocker vs. Adam Win\ntieski and others, reached a verdict late\non Tuesday afternoon finding for the\nplaintiff and fixing the amount he should\nrecover at $65.25.\nThe Kenosha and Racinr high school\nbasketball teams will clash in the first\ngame of the season in Racine on Friday\nevening. It is expected that a big\ncrowd of the students will go up\n.see the', 'batch': 'whi_fanny_ver01', 'title_normal': 'telegraph-courier.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85040310/1914-01-08/ed-1/seq-1.json', 'place': ['Wisconsin--Kenosha--Kenosha'], 'page': ''}, {'sequence': 1, 'county': ['La Crosse'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn86086186/1914-01-09/ed-1/seq-1/', 'subject': ['La Crosse (Wis.)--Newspapers.', 'Wisconsin--La Crosse.--fast--(OCoLC)fst01207161'], 'city': ['La Crosse'], 'date': '19140109', 'title': 'Nord stern. [volume]', 'end_year': 1921, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Available on microfilm from The State Historical Society of Wisconsin.', 'Description based on: Jahrg. 1, no. 2 (6 Dec. 1856).', 'In German with some columns in English.', 'Supplements accompany some issues.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'La Crosse, Wis.', 'start_year': 1856, 'edition_label': '', 'ocr_ger': 'Der „Nordstern" ist\ndie einzige repräsentative\ndeutsche Zeitung von ta\nL rosse\n57. Jahrgang.\nSttliscii licMilst.\nBerufung von 24 Dvnamitern ab\ngewiesen; 6 erhallen neuen\nProzeß.\nChicago. Jll.. 7- Jan.\nTie Strafen von vieruiidzwanzig der\nin Indianapolis wegen Verschwörung\nzum ungesetzliche Transport von Ex\nplosivstoffen veruriheiltcn dreißig llnion\nbeannen wurden am Dienstag vom\nBundes > Kreisavoellativnsgericht in\nChicago, Jll.. aufrecht erhallen. Sechs\noer Berurihestlen wurde ein neuer Pro\nzeß willigt. Dieselben sind: O. A.\nTveitnivre, der bekannte Arbeiterführer\nau San Francisco. W. MacCain von\nKansas City. I. E- Ray von Peoria,\nR. H. Houtlhan von Ch\'cago, F. Sher\nman von Indianapolis, W. Bernhard\nvon Cincinnati. Da- Urtheil wurde\nam 28. December 1912 gefällt.\nTie Anwälte der vicrundzwcinzig\nTynamitverschwörer werden binnen\ndreißig Tage im Appellationsgerichl\neine Wiederaufnahme des Verfahren\naus G. und neuen BeweiSmcnerialS be\nantragen. Wenn dieser Antrag abge\nlehnt wird, bleibt der Vertheidigung\nnur noch übrig, im Oberbundesgerichl\nein rvrit c>L cerftorsn zu beantragen.\nEs heißt, daß die Bundesregierung\nbis zur entgüttigen Entscheidung des\nFalles nicht darauf bestehen wird, daß\ndie verurlhestten Arbenersührer, welche\nsich gegen Bürgschaft aus freiem Fuß\nbefinden, in s Gefängniß eingeliefert\nwerden. Tie heutige Entscheidung\nwurde von den Bunde Kreisrichtern\nKohtsaal, Baker und Seaman abgege\nben.\nPräsident Ryans Strafe\nbleibt.\nDie Strafe von sieben Jahren Zucht\nhaus, die gegen F. M. Ryan von Chi\ncago. den Präsiden des internatio\nnalen EisenarbeirerverbandcS, verfügt\nwurde, bleibt bestehen. Im Ganzen\nwurden seiner Zeit im BundesdistrikiS-\nGencht in Indianapolis in dem großen\nSensation-prozeß, dessen Anfänge aus\ndie Verbrechen der McNamaraS, haupt\nsächlich die Sprengung de Times-Ge\nbäude in Los Angeles im Jahre 1010,\nwobei einundzwanzig Arbeiter um\'S\nLeben kamen, zurückgehen, zweiunddrei\nßig Arbeiterführer zu Zuchthausstrafen\nverurlheill; zwei haben keine Berufung\neingereicht, von den übrigen dreißig\nwurden im BerusungSversahren vier\nundzwanttg gegen je zehntausend Dol\nlars für jedes Jahr ihrer Strafe zeit\nweilig auf freien Fuß gesetzt; die übri\ngen sechs befinden sich noch im Bundes\nzuchihauS i Leavenworth, Kas.\nBedeutende Legate.\nBaltimore, Md., 7. Jan.\nVon den Cottimbusrittern der Ver.\nStaaten wurde am DienSiag Cardrnal-\nErzbtschof Gibbons in Baltimore ein\nCyeck für eine halbe Million Dollars\nübeigeven für die katholische Uiilversität\nin Washington.\nI. A. Flaherly von Philadelphia,\nSupreine Knighi des Ordens, über\nreichte die Gabe im erzbischöflichen\nPalais im Beisein Monsignore T. I.\nShahans, des Präsidenten der katho\nlischen Universität in Washington, und\nverschiedener Mitglieder der Fakultät\nDie Summe, die von den Cotumbus\nrillern im Lauf der letzten vier Jahre\ngesammlt wurde, ist dazu bestimmt,\nfünfzig Stipendien für Studircnde an\nder Universität zu schaffen.\nEin kürzlich in Baltimore verstor\nbenes Fräulein Eliza Andrews hat in\neinem am Dienstag im Nachlaßgerichl\ndort eröffneten Testament Cardinal\nGibbon mit einem Legat von gegen\ndreibundeniausend Dollars bedacht;\nder Cardinal hat erklärt, er werde das\nLegal für Umerrichtszwecke verwenden.\nEinstellung verfügt.\nChicago, Jll., 8. Jan.\nDer Unterricht über GeschlechlS-Hy\ngiene in den hiesigen öffentlichen Scku\nken wurde am Mittwoch von der E\nzrehungsbehörde mit 13 gegen 8 Stim\nmen abgeichasft. Dieses Unterrichtsfach\nwurde aus den Wunsch der Superinieil\ndenlin, Ella F. Uoung, im letzten Schul\njahr eingeführt. Frau Poung -.hei\nlig:e sich an der heutigen Diskussion\nnicht. Tie Resolutton wurde \'in er\nsten Votum angenommen; gegen die\nAnnahme stimmten u. A.Tean Jumner\nvon der St. Peter und Paul Kalbe\ndrale. Frau Gerlrude Howe Britton\nund I. Clemenson.\nkb-O\' Bräune- und Hustenmcdizin.\nDie Bräune ist eine gefährliche Krank\nheil; dieselbe greiit die Kinder so plötz\nlich an, welche hierdurch einen Stickungs\nansall haben können, wenn sie nicht so\ngleich ein passendes Heilmittel erhalten.\nEs gibt nichts Besseres in der Welt wie\nTr. Krng\'s New Discovery. Lewis\nChambertain von Manchester, Odw,\nichreibt bezüglich seiner Kinder: „Ei\nnigemal während der schweren Anfälle\nwaren wir schon bange, daß dieselben\nsterben würden, aber sei: wir die Sicher\nheit haben, welches zuverlässige Mittel\nTr. King\'s New T scovcry ist, haben\nwir keine Angst mehr." 5 w und Kl.oo.\nEine Flasche soltte in jedem Haittc sein.\nBei allen Bpvlheksrn. H. E. Bucklin\nL Co.. Philadelphia oder Sr. Louis.—\nj Heraurgeqedkn voo der -\n- Nordstern Asjociatiou, Lr Troste. Vir. >\n25 crttmikcil\nAcht Atcknn des Tankdainpfers\nMklahonick von einem deut\nschen Schiff gerettet.\nNew ?)ork, 6. Jan.\nTer Tankdampser Oklahoma ist am\nSonntag früh 7 Uhr aus hoher See\nsüdlich von Sa.-dy Hook in zwei Stücke\ngebrochen, wobei ein großer Theil der\netwa vierzig Mann starken Besatzung\nerirank. Der hiniere Theil de Schis\nse. in welchem sich die Maschinen und\n32 Mann besande, sank augenbticktich\nrn die Tirse. Acht Mann wurde von\ndein Dampfer Bavaria von der Ham\nburg-Amerika Linie an Bord genom\nmen, dessen Capitän außerdem erklärte,\ner habe gesehen, daß ein Rettungsboot\nder Oklahoma mit zehn Mann an Bord\nvom Wrack abgefahren sei.\nEin Zollkuiler ist abgeschickt woroen.\num da Wrack in Schlepptau zu neh\nmen oder zu svrengrn.\nSpät am Abend traf die Nachricht\nein. daß der Zollkuster Seneea ein Ret\ntungsboot der Oklahoma ausgefischt\nhabe, in dem sich die Leichen von vier\nMännern befanden, die wahrscheinlich\ninfolge der Unbilden ihren Tod gesun\nden haben.\nNew Pork. 7. Jan.\nDreizehn Ueberlebende des letzten\nSonniag im Slurm bei Barnegat ge\nsunkenen Tankdampsers Oklahoma\nwurde DienSiag in New Aork gelan\ndet. Awr trafen aus dem Dampfer\nBavaria von der Hamburg-Amerika-\nLinie und fünf aus dem Tau Pier\nGregory von der Booth-Linie ein. Die\nRettung der Schiffbrüchigen erfolgte\nunter den größte Schwierigkeiten, da\ndie Wellen haushoch über da Deck\nschlugen Fünfundzwanzig Mann von\nder Besatzung der Oklahoma werden\nvermißl und sind ohne Zweifel sammt\nund sonders ertrunken.\nTer Trachieiiwcchscl in China.\nWie sich die LtcreuropSisirrnng ec\nKlcidunz vollzielit.\nSeitdem China Republik ist, tra\ngen die Söhne des Himmels aus Be\nfehl der Negierung europäische Klei\ndüng. Besonders kraß ist die Wir\nkung der neuen Kleidervorschrist an\njenem Oktobertage des Jahres her\nvorgetreten, wo die Prä\nsidcntschast mitrat. Es liegen darü\nber recht erheiternde Berichte vor. Tie\n„verbotene Stadt" mit ihrer Farben\npracht bot sonst bei festlichen Gete\ngenheiten ein herrliches Bild, man\ndenke an die bunten, Lrokatenen ober\nseidenen Fcsigcwänücr, an Pccten und\nStickereien, und sielte sich vor, daß an\nStelle dessen das eintönige Schwarz\nder e\'.iropa.chcn Kleivung getreten ist.\nAllein, was für eine europäische Klei\ndung! Die chinesischen Schneider\nhatten sich gewiß aste erdenkliche Mühe\ngegeben, ihrc Landsleute richtig aus\nzuputzen, allein gelangen war cs ih\nnen nicht: von oben bis unten steck\nten die Chinesen nicht in Kleidern,\nsondern in Karikaturen von Kleidern.\nNatürlich trugen sie Zvtinderhüte, Zy\nlinderhüie in jeglicher Hohe, nur inchl\nin der in Europa üolichen, aus zeg\nlichem Stoff, nur nicht dem, den die\nAbendländer dazu verwenden. Und\nwie man einen Zylinder zu tragen\nhat, wußten sie natürlich auch nicht.\nEinige hasten ihre Behauptungen bis\nauf die Ohren heruntergezogen, an\ndere suchten sie unmittelbar über den\nAugenbrauen im Gleichgewicht zu\nhalten, vielen aber spielte die An\nziehungskraft Ler Erde einen argen\nStreich unv z>rng sie fortgesetzt,\ndurch Nachhelfen mit den Händen das\nverlorengehende Gleichgewicht aufs\nneue wieder h-rzustesten. Ler fest\nliche Tag war nämlich windig und\nregnerisch.\nTie Fräcke und Gehröcke, die die\nChinesen trugen, paßten vollkommen\nzu diesen Hüten: man sah solche aus\nglänzend schwarzem Alpakastoff. aus\nSeide und allen möglichen anderen\nGeweben, nur nicht aus Kammgarn\nunv Tuch, wie im Abendlande. Bon\neiner „Fasson" im Sinne eines eu\nropäischen Schneiders war auch nicht\nallzuviel zu entdecken, denn die Grö\nßenverhältnissc der einzelnen Teile\nzu einander waren meistens mißlun\ngen, und man sah Nocke, die lächerlich\nkurz waren, uno anocre, deren Schöße\nbis aus die S:.: :I hingen.\nAm meisten , cywierigteiten hasten\naugenscheinlich K:.- cn und K.-nvatte\nbereitet. Man iah Kalilokragcn in\nden merlw!!" \'neu Formen, einige\nhatten fertig Krawatten an\ngelegt unv oen Kragen darüber ge\nbiinve:\', und die, oie die Kragen rich\ntig mit Knöpfen festigt basten, bat\nten auaenschrinlick hierzu soviel Müde.\nZeit riid etlichen Schweiß gebraucht,\ndaß von der urstrünglichcn Reinbeit\nunv Wohlgeformtheit nichts mehr\nübrig geblieben war. Natürlich gab\ncs auch Ausnabmen. denn de: cer\nHeierlichkest waren ja eine Reihe von\nCbinesen anwesend, die im Au-! ndr\ndie abendländische Tracht kenn.:: m\nlernt barien und da.ber karret: ange\nzogen waren. Der Präpven! leibn\ntrug die Uniftrrn eines Frida \'\nschall- und sott in dieser \'ehr aut\nausgesehen haben. Nur der Degen\nwar ihm im Wege.\nEntscheid ablscuiicsc.\nIstcrusuiig gegen das Miseonsiner\nEinkonrinensteuergesetz wurde\nabgewiesen.\nWashington 8. Jan.\nDa Oberbunbesgerick, in Washing\nton wies am Monrag einen Berusungs\nfall gegen da staaltiche Obergerrchr von\nWisconsin ad. indem die Umerrnstanz\nda WiSconsiner Einkoii>men>reurrgeietz\nvom Jahr- 1911 für verfassungsmäßig\nerklär. DaS OberbundeSgerickl au\nßene fick nicki über die Kütt\'.gkeu de\nGe\'etzes überhaupl und degründeie seine\nAbwe\'sunz der Angelegenhcil ist Fra\ngen der JuriSdiklion.\nEine andere Entscheidung de ober\nsten Tribunals war die, daß die Ein\nelstaolen das Reckt haben, ihre Burger\nfür Aktien von Gesellschaften, die in\nanderen Staaten gelegen sind, zu be\nsteuern. und zwar zum Pariirerih der\nAktien.\nDa Obergcricht stieß ferner am\nMoniag eine Entscheidung des Bundes\ngerichts in New Port um. in der die\nBundesregierung verloren hatte; es\nhandelte sich um eine Anklage gegen\neinen New Porker Hotelier Namens\nI. B. Regan wegen Ueberireiung des\nConiraklarbeitergesktzes; die Unienn\nstanz haue entschieden, daß der Regie\nrung die Peweislast zufalle, was vom\nOberbundesgerichl verneint wurde.\nRätselhafte Naturerscheinung.\nLüswasieroucllkn an verschiedenen Ziel\nten des L^cauS.\nTie Tatsache, daß Quellen süßen\nWassers hier und da auch am Boden\ndes Meeres emporsprudeln, war schon\nden Alten tamit, obgleich solche\n\'Vorkommnisse, soweit wir wissen,\ndoch nur verhältnismäßig selten sind.\nEine reichhaltige Zusammenstellung\nderselben hat erst Dr. F. I. Fischer\nin den Abhandlungen der Geographi\nschen Gesellschaft in Wien gegeben.\nHiernach zeichn.n sich besonders d:e\nnördlichen Gestade des Miticlmecrs\ndurch submarine Quellen aus. In\nden Buchten von EanneS und Antivcs\nsowie vor der Mündung des Var sin\nden sich untermeerische Quellen, die\nsich bei ruhiger See durch Aufwallen\nverraten. Auch in der Umgebung r\nRhonemünduiigkn treten submarine\nQuellen und oft in beiräckttichec\nTiefe auf. Die mächtigste ist die von\nPort Miou bei Cassis, sie bricht aus\neinem der 2 Quadratmeter großen\nFelsentore mit solcher Gewalt hervor,\ndaß sie an der Mccresorftäche einen\nStrom hervorruft, der schwimmende\nGegenstände oft über 2 Kilometer weit\nforttreibt. Im Golf von Spezia gidt\nes eine Anzahl zudmariner Queucn,\nvon denen ine so mächtig ist, daß sic\nan der Oberfläche der See einen\nWafferhügel erzeugt, der für kleine\nFahrzeugs unnahbar ist. Zahlreich-\'\nuntermeerische Quellen gibt es längs\nder Küsten von Istrien und Dalma\ntien.\nWenden wir uns nach Amerika, \'o\ntreffen wir auf die auch von Hum\nboldt geschilderten gewaltigen Süß\nwafserqucllcn in der Bucht von Ta\ngua und Kuba. Sie treten mit gro\nßer Kraft an der Meeresoberfläche\nhervor, und bisweilen ergänzen dort\nSchiffe ihren Vorrat an Süßwafler.\nZwischen den Rissen, welche die höh\nlenreichen Bahama-Jnseln umgeben,\nquillt klares, frisches süßes Quell\nwasser empor, das um so reiner und\nkälter ist, je tiffer e- geschöpft wird.\nZur Zeit der Ebbe kann man die\nQuellen deutlich sehen und das Was\nser da schöpfen, wo es aus dem Bo\nden emporsprudelt. In der Nähe der\nInsel Saba in den Kleinen Antillen\nwurde mitten im Meer das Vorhan\ndensein einer bedeutenden Süßwasser\nmasse entdeckt, die in konzentrischen\nKreisen vom Meeresboden aufzuquel\nlen schien. Nahe der Küste von Uuka\ntan gibt es untermeerische Tüßwasser\nquellen, die ihrc Wasser nicht in\nschmalen Becken mir einer gewissen\nGeschwindigteit ausströmen, icnstern\ngewissermaßen ausgebreireicn Seen\ngleichen, die keine merkliche Strömung\nzeigen. Diese Sützwassermaffrn schei\nnen landeinwärts eine große \'Ausdeh\nnung zu besitzen, denn dort befinden\nsich natürliche Brunnen, zu denen die\nAnwohner aus Leocrii durch küu\'ilicke\nund natürliche Schächte bina:steigen,\num sich den Bedarf an Triiikwasser\nzu holen.\nEine merkwürviae hierhin gehörige\nErscheinung sin! stch Lei Reclus.\nIm Januar 18.17 war das ganze\nMeer an der Südspitze von Florida\nder Schauplatz eines acwastigen Süß\nwosser Ausbruch-. Gelbe, schmutzige\nStröme durchkreuzten di Meerenge\nund tote Fi\'che schwammen zu Myria\nden an der Oberfläche. In manchen\nStellen schöpi\'ien die Fischer ibrTrink--\nwasser aus dem Meer wie aus einem\nFluß. Tie Beobachter dieser merk\nwürdigen Uebersckwemrnungen durch\neinen unterseeischen Fluß behaupten,\ndaß im Verlaut vcn etwas mehr als\neinem Monat der Fluß mindestens\nebensoviel Waffe lic>c:te wie ö.- Mis\nsis\'ippi. Wor die!: ungeheure Süß\nwanermenge stammte, und welches die\n".n,: ittelbare Ursache ihres Ausbruchs\nwar. ist völlig rätftlbait.\n2a Crosse, Wis., Freitag, den Januar 1.\nGrucral Äcicriikt.\ni\nJose -Nancilla floh aus rNji„aga\nüber die amerikannchc\nGrenze.\nPresidio. Tex >. Jan.\nGeneral Jose Man. ciner der\nhervorragendsten Kommandeure der\nmexikanische BundeSarmee ist Mitt\nwoch deseriirr. In Bczienung seines\nSohne, der den Rang cincs Haupt\nmannes in der Huertaschen Armee in\nnehatte. überschritt er von Oiinaga aus\ndie amerikanische Grenze und wurde von\nder Grenzpalrouille sestgemiinneii. An\nfangs gav er den EinwanderungSbc\nanilen gegenüber einen falsche Namen\nan. d.ch schließlich gestand er \'sttajvr\nMcNamee, dem Befehlshaber der ame\nrikanische Truppen, ein General Man\ncrlla zu je ic. und ersuchie um ein Asyl\nin den Ber. Staaten. Er wird di zur\nEntscheidung Brigadegeneral Bliß\' in\nHast hasten.\n! Mancilla ist der erste Offizier von\ntliang, der von der Hueriaichen Slru\'ee\nf deseriirt ist. wen auch schon vor ihm\nzwischen dreihundert und vierhundert\nj Sotdaien die Fahne verlassen halten,\nj Gen. Mancilla gehörte der regulären\n- Armee an und ist als Haudegen be\n- kannl. Er war crn warmer Belurwo\nler des Huenaschen RegmieS und hal\nviele Schlachten gegen die debellcn ge\nschlagen. Zusammen „ul General\nMercada war er aus CH huahua nach\nOjinaga geflohen.\nAbberufung beställgr.\nIn einer amtlichen Depesche von der\namerikanischen Botschaft in London an\'S\nSlaalsdeparlemenl in Washington wird\ndie No stricht bestätigt, daß die britische\nRegierung beschlossen Hai. ihren gegen\nwäriigen Gesandten in Mexiko. Sir\nLionel Carden. nach Rio de Janeiro zu\nversetzen.\nFiinsmidsicbzili todt ?\nBeim Untergang eines Uoots im\nFraser River in Uritish\nLolumbia.\nWinnipeg. 7. Jan.\nFünsundsiebzig Arbeiier der Gr"d\nTrunk Pacific-Bahn kamen in dem\ngefährlichen Fraser-Fluß in Bristsh-\nEolumbia ums Leben, als ihr Boot an\neinem Felsen scheiterst Füniundzwan\nzig v"n den Leuten, d.e auf dem 800 l\nüber den Fluß gesetzi werden sollien.\nenlkamcn mit dem Leben, alle mehr\noder weniger schwer verletzt; da Un\nglück trug sich in der Nähe von Fon\nGeorge, B. C.. zu. und die Nachricht\nwurde von einem der Ueberlebende.\neinem gewissen Angela Pugstese, der am\nDiknslag Winnipeg. Man., erreichie,\ndorihin überbrachi.\nMeldung wird nicht ge\nglaubt.\nVancouver B. C., 7. Jan\nDie aus Winnipeg kommende Mel\ndung, daß 75 Arbkoer der Grand\nTrunk-Bahn im nördlichen Theil von\nBriliih Columbia im November um\ngekommen seien, wild hier nicht ge\nglaubt, und c wird darauf hingewie\nsen, daß der Wassersland de Frazer\num diese Zeit äußerst niedrig ist.\nZ:i!,npsle.ze b. m Miliiar.\nDe: > crsiaiSen: fr c.ere Gouverneur\nvon Ostafrika und preußische Ge\nsandte stet den H.nsaslädreu Grus\nGoetzen hat in sei:-n Berichten -in\ndem spanisch-amer-, ruschen Krieg,\nden er als Obrrleuü\'.anl im 2. Gar\ndc-Ulanen Regimen! und Bertreie:\ndes deutschen Heen-: -nitmachie, wie\nderholt dff Zahnp\'lktt unter den aine\nritanischen Soldaten, auch im Felde,\nbetont. Graf Goenn erzählt, daß\ner bei Santiago de - bu ganz Reai\nmentcr habe vorbeinehen sehen, de,\ndenen jeder Mann eine Zahnbürste\nwie eine Feder dürr as Band seine;\nHutes durchgesteckt \'ageu habe. In\nden Biwaks sei, fest \'! wenn die Seife\nzum Waschen gef:!\'\' .mite, das Zäh\nneputzen von keinen ann außer ack t\ngelassen worden. > > französiscler\nBeobachter hat spä: ine ähnliche lie\nvolle Mundps-e - u der K\' \'\nflotte Uncle San dachtet.\nDas französi\'S -arineminifteri\num hat dies ameru che DDpiel für\nso gut gehalten, durch Beieh!\nvom letzten Frist allen an Bor"\neingeschifften M u ans Staat -\nkosten Zahnbii \' \'iffirt ivor ---\nfind. Schon i: r Hai sich her\nausgestellt, d.\' nhygirnitch \'\nFranzose an- - noch nickt a->\nmoderner Höh. Die Lieferun:\noer Zahnbürsten Tchiffsbemai\'-\nnungen ist näi! miängst wie: \'\neinzefiellt wordc: l an erkavn:\nbatte, daß dies t crkputzzeua\nnen Beritt rfilst mdem die sr-n\nzöslschen Matrr>\'- - e Bürsten wie\nwenigen Am:n \' nur zum\nReiniaen ihrer e und Mütze\nnübk bade: \'\nIn TeutiLk" -w" im H-e\n-u.-d in der Flc: Zahnbürfie\nden Gcaenflände." der Restnt an\nschanen muß; e auf die Za! -\npflege großer er Nickel Wer! g\nlegt.\nLtrcik- Vorlscichillilc.\n!\nlOcster c>s Dinners\nwar ursprünglich\ndaczeaen\nHoughivn, Mich. 8. Jan.\nDer Sireik der Bergoldeiicr im\nKupserdistiikl des oberen Michigan,\nwelcher am 2!. Juli Ictzren Jahres an\ngeordnet wurde, stieß urspri glich aus\nWiderstand bei den Beamten der n eiiei\nFederation oj Miners >v:e Gouverneur\nW. N. FerriS am Mittwoch von Per\nlreiern der Union erfuhr.\nDie Berneier der Llreiker belonten\nemphatisch, daß, nachdem der Sireik\neinmal durch eine Reserendliiiiabstim\nlung mir 7880 gegen 125 Stimmen\nbeschlossen worden war, die Beamten\nder Univn inchl über Kompromißvor\nschlage beschließen konnien, daß solche\nvielmehr der Bestätigung seilen der\nMitglieder bedursien, und daß somil\niveder O. N. Hitton, Anwall der\nUnion, noch Charles H. Moyer, Präsi\ndeiil der LLestern Federalion os Moier,\ndie Machl hatten,dem Sireik Einhaltzu\ngebieten.\n! Aus die Frage de Gouverneurs,\nweshalb die nationalen Beamten der\nUnion gegen Streik gewesen seien, al\nivorleicn diese, sie hallen die gethan,\nweil sie sich bewußl waren, daß ein\nStreik 11 stimmen verschlingen würde,\nund die allgemeine Lage aus dem Ar\nbeilsmaikt im Lande derart war, daß\ndie Zeit nicht geeignet war stir einen\nKamps der Arbeuer gegen Kapital.\nDie Löhne der Bergleute.\nBor dem Gouverneur erschienen am\nMittwoch zahlreiche Bergarbeiter, die\nvom 15. Lebensjahre an in den Gruben\ngearbett.-t haben und jetzt 15 biS 25\nJahre uwer der Erde lhcstig sind. Nach\nihren Angaben verdienten sie al-\nJungeu -18 bis 40 und als Bergar\nbeiter -52 bi ?90 pro Monat. Sie\nwic>en jedoch daraus hin, daß die elften\nMonate sehr festen sind. und daß ihr\nBerdienst durch die Einführung der\nKontraktarbeil bedeutend geschmälert\nwerde.\nIm Kupserdistrikt leben gegrnwö.iiq\n9815 Bergarbeiter, von denen 7710\nvon der Union finanziell unterstütz!\nwerden. Ungefähr 3000 organisine\nBergarbeiter haben den Distrikt ver\nlassen.\nNach Schluß de BerhörS der Berg\narbeiter erklärte der Cwuverneur, er\nwerde die Grubenbesitzer vernehmen\nund den Streitern dann da Resuliai\nder Berbvre mittheile. Ganz gleich,\nvb er nach Anhöien der Grilbenbesitze,\nin der Luge zei. einen Ausweg zu si i\nden oder uicktt. werde er sie von seiner\nAnsicht in Kennttiiß setzen.\nLchwkie 2\'cschnldMlist.\nEtvcago, 6. Jan.\nBor der staatlichen .\'ilbeilSkommission\nnon Illinois würben am Moniag Be\nschuldigungen erhoaen, daß gewisse hie\nffae SlrlleiivermittlungSagrnttiren junge\nMädchen an unordrililiche Hauser, zwei\nseihasie Theater und zweifelhafte CasrS\nerschlichen Halle Im Ganzen wur\nden in dieser Hinsicht über dreihundert\nBeschwerden eingereicht, von denen sich\ndrei ndzmanzig gegen SleUungSagrni\nrcn richten; einer Theaieragenlur wird\nvorgeworfen, junge Mädchen nach un\nordentlichen Häusern in New Orleans,\nMilwaukee und anderen größeren Städ\nten des Landes verschickt zu haben.\nTurch den Plinlimnkaiilrl.\nColon, 8. Jan.\nDa erste Tanipsschiss hat am Mitt\nwoch den Panamakaiiol pasffrl. ES\nwar der Krandampser Alexander La-\nValley, der an der allanttichen Küste\nmil seiner Arbeit begann und sich lang\nsam bis zum anderen Ende des Canms\ndurckgearbeuel hal. Passagiere beson\ndkii sich nicht an Bord.\nNrne Art der Eidaiistanittig.\nBei im Winter durchzuführenden\nErdarbeiten verursacht der Frost häu\nfig große Schwierigkeiten und be\nträchtliche Kosten, da in den gefröre\nneu Boden die Aushubwerkzeuge nicht\neindringen könncn. Bei einem Schien <\nsenbau bei West Liberty tat man nun i\nt.n vergangenen Winter ein neuart!- i\nes Verfahren zum Austauen des bis j\nu 4 Zoll tes Mrorcnen Bo\n! aens angeivendet. an besten Härte na-\nj turgemüst, aste Berfuche der Trocken\n! iiac -er und Dampsschauieln scheite: : !\n1,;..,.ß1;n. Auf den gefrorenen Boden\nj murre il \'endlichen Stücken zerkkei\nj n-rter. ungelöschter Kal! gebracht, der >\nf - :t Srr.M. Heu. MB. Brettern und ,\näknst st::\'. \'ckSchinl Wär:ne!circrn ab\nzedeck! un nur reichlichen Mengen >\nWon rs brgoff.\'n inurve. Die beim !\nLöschen des Trltes kma entwickelnde\nWärme mu\' e \' \'red >e Abdeckung\n! nirksan: gen.. S n ck.en nach außen !\nj aekchübt. formst \'". ie Erdober !\nf fläche auftaute und so dem sich er :\n"ärmrrEen WO-\' kste.\'erenheir gab.\n! ueier und tiefer in den Boden ein -\ni w.\'\'-ringen r,nd idn rüst r aufzuwri :\n! DieÄu>il d e r D o v d a i\'Ur\nj-- ohner von Ecr.\'cni te ::t nrr 2 i\n- n ncuesGsetz in clruauay\n! Ebesr.r.t ein einsciiZesSchei\ni oungsrechl, -\nblickst von Rcntcr.\n!\ncsftl\'l zu, an die perwenduna ran\nJtaschiiieiiaeivehien in Labern\ngedacht zu liak\'eii.\nSiraßburg 8 Jan.\nOberst von Rcuiec vom \'.9. Jn\nsamelieteginieni, der am Mittwoch we\ngen der bekannlen Bviginge in Zidern\nwieder vor dem Kriegsgericht in Siraß\nburg stand, gab zu, daß er die Mög\nlichkeit i\'s Auge g \'aßl habe. auf die\n, Beihöhnling des Miliiärs durch die\nmit seinen Mnschlnengcivrh\n.re zu antivonen. Poiizeiconlmisiär\nMaller von Zaber sagte nnier Eid\naus, daß der Oberst ersucht worden\nsei, seine Patrouillen einzuziehen, da\n! ihre\'Anwctenheit aus den Straßen die\n: Erbitterung der Einwohner nur noch\n! steigere; der Oberst habe dies jedoch\nkurz mil dem Bemerke abgeieh:, cr\nf habe letzt da Eommando. Aus de\n> Einwand, aast die Civilisten doch nichis\n! weiter ihaien, als herumstehen, hake der\nj Oberst eiktän, er werde diesem Herum\nstehen um jede Preis ei Ende ma\nche. er lasse rS sich nicht gefallen, baß\nda Miliiar in dieser Weise verhöhnt\nneide, und er werde nöihigcnfalls den\nBriehl zum Scharfschießen gebe\nDer Oberst selbst gab zu, Maschi\nengeivehie aus den Straßen postirl zu\nhaben, um gegebeneiiwlls aus die Bür\nger zu cuein.\nEi Banlkassirer von Zaber sagte\nvordem Knegsgerichl aus. Leulnaitt\nSchadd von 99. Jusaitteriereglinent\nhabe ihn jestiuhnien lassen, trotzdem\ner weder gelachl och sonst irgend etwas\nUngehvtigeS gnha habe. Zwei Sol\ndale jaglen zugunsten des LeulnantS\naus, der Bankkassiret habe gelacht oder\nmindestens eine lächerliche Grimasse ge\nschnitten.\nTetranitranilin.\nName eine neue In England ent\ndeckten Sprengstoffs.\nIn der militärischM Sprengtech\nnit und in der Geschoßfabrilativn ge\nlangten bisher bet säst allen Staaten\nÄitrinsäure und seit kurzem auch\nTrimtclolucl zur Verwendung. Der\nlctz.e Sprengstvjj hatte sehr rasch ein\ngroßes Verbreitungsgebiet gesunden,\nda er der Pitrinjuiire an Enrengtrafi\nnur wenig nachsieht, große Uncm\npfindlichtcit gegen schlag und Stoß\nbesitzt und vor allem leine sauren Ei\ngenschaslcn hat, so daß die Bildung\nexplosibler saurer Salze auch bei\nbauernder Berührung mit Metallen\nausgeschlossen ist. Diese Eigenschaft\niiiacyt ihn zur Verwendung cos Gra\nnatsulttiag besonders geeigiicl.\nRun ist vor kurzem in England\nein neuer Sprengstoff eiildectt wom\nde, der ähnliche Eigenjchasteii aus\nweist wie das Trimirotottiol, in ein\nzelnen Pnntten dieses sogar noch\nübertrifft. Es ist das Tclianitrani\nliu: Es wirb gewonnen, indem Di\nuurovciizol mil Nalriumbisulfai und\nWasser zu Metanitronilin reduzier!\nwird, das, ohne daß eine vorhergc\n! l/cndc cinizung erforderlich ist. mit\nSalpeter- und Schwefelsäure Weiler\nbehandelt wird, wobei dann das\nTetranitranilin in gelben Kristallen\nausgeschieden wird. Doge werden\nfillri rt, gewaschen und bc\' \') Grad\nxetrocknet. In pulverisier\',n Zu\nstände hat der Sprengstoff eine in\ntensiv gelbe Farbe.\nDer Schmelzpunkt des Teiranitra\nnilins ist höher als der der\nPikrinsäure, die bei 122 Grad E.,\nund des Trinitrotoluols, das bei et\nwa 80 Grad schmilzt, und ist von\nder Art der Erhitzung abhängig. Tie\nZersetzung erfolgt bei 210 Grad <).\nDie Berpujsungstemperatur liegt bei\n222 Grad E\'., während die beiden\nanderen Sprengstoffe bei 180 Grad\nverpuffen. Das Tetranitranilin\nverbrennt und verpufft ohne Rück\n> stand, während Pikrinsäure und\nTrinitrotoluol mil stark rußender\nFlamme verbrennen und mit dunk\nler Sprenawolte detonieren. An\nDichte wie an Sprengtrast übertrifft\ni bas Telranilraiiiun die bcioen an\n\' deren Sprengstoffe nicht unerheblich.\n! Auch die Telonationsgeschwinvigtrit\nscheint nicht geringer zu fein. Alle\ndiese Eiacnschuflen machen den Stoff\nbesonders geeignet zur Füllung von\nSprengkapseln und Zünc-rvhren.\nAllerdings ist ras Dciraniiranilin\nin reinem Zustande zur Füllung von\n, Granaten und Sprengkörpern wegen\n\' seines Holxen Swmelzpuirlies nicht\n! r \'wendbar. Tagege scheint eine\nj Beimischung des Stosses zu Fiillun-\nE gen an. Trinitrotoluol oder s\'-\'in\n! säure graste B iwilc zu bieten, de,in\n. die D-eton!:?:.fahigteit dieser Stos\n. sc wird dacu.,9 erheSich ae\'teigerl.\nSchließlich lie : öle Verarbeitung\n\' de- Tetranitta\' d nr zu einem Treib\nmittel für Fem.\'cw.-\'ken nicht außer\nNi Bereich der Möglich! it. So\nvereinig! de" neue Sprengstoff eine\nReibe von Eigenschaften, die ihm\nauch von miütäriicher Scoc Beach\ntung sichern werden.\nScherzfrage. WaS ist ei\nr.c schwebende S^uld?\n( uoj;og;snl ui^-\nri,e „Nordstern\'-Zerrnn\ngen haben -i, Geschichte\nvon La Lroste nicht ira\nniitschreiden sondern mit\nmachen helfen.\nNummer Ni.\nMacht sich iiliclicdt.\nDie deutsche Presse selir .ttizlifrrede\nul dem Kronprinzen ive.zen\nseier A„dczettunaen.\nBerlin, 7. Ja\nKronprinz Friedrich Wilhelm jähr\nsoll, sich denn deulichen Bolle uldtt\nzu machen; seine Telegramme, dre x\nanläßlich der Zabeier Mare an\nneraUeulnanl von Deimling, den loirr\nmandirenden General in Siraßbur z\nund an Oberst von Revier, den Kom\nmandeur der Rc>inndueunziger.\nkürzlich wegen bc,agier Borgänge von\nZaber ivegverlegt wurden, richtete\niverden in den Beriiner Tageszeitung\nsehr scharf krilisirl.\nDie freisinnigen Blätter bedauern ,\nihren Leitartikeln, daß der Kronpriuz.\nder unzweiselhasi demokraiischc Neiguu\ngen habe, jedes Mal. wenn er sich >\npolnische Angelegenheit miielie. das\nBolk vor de Kops stoße; di liessen\nden Zeilungen siihren vier aus der tetz\nlen Z il stammende „Enigleisuiigen"\ndes Kronprinzen aus: Sei Angriff\ngegen Ge,hard HaupiniannS Jahrh,\ndertsesliplel; seine Billigung der ein\nschieden aniivririscheii Rede des konier\nvaiiven Abgeordneten von Hendebrand\nim November tlilt, seine Oppasiiiv\ngegen die Thronbesteigung seines Schwa\naei. des Prinzen Ernst August non\nE umberland in Braunschiveig und dann\nseine Telegramme anläßlich der Zaber\nec Affäre an die dortigen Militärbe\nhörden.\nUeber die Ictztgenannien drei Fälle\nsagen die freisinnigen Blätter, sie feie\nein Afsronl des Kronprinzen gegen die\nReichsregiernng. während die Tele\ngramme anläßlich der Zaderner Affäre\nin konservaiiven und Miluärkreisen\nBeifall gesunden haben.\nLeutnant von Forstner belästigt\nStraßburg i. E.. 7. Jan.\nAIS Leutnant von Forstner a\nDienstag in Begleitung mehrerer Ka\nmeraden da GenchtSgkbäudr in\nStraßburg i. E.. in welchem der zwerr\nProzeß wegen der Porgänge rn Zaber\nverhandelt wird verließ, wurde er vv\neiliche Civittsteu verfolgt, die Drohun\ngen gegen ihr. auSftieße. Die Menge\nwuchs in bedenklicher Weise an. doch\ngelang es den Offiziere, sich aus eine\nStraßenbahnwagen zu retten\nOpfer einer Thenterpanik.\nSan Juan. Porto Rico, 7. Jan.\nBier Kinder wurden zu Tode gr\nlrampell und achtzehn andere schiver\nNetzt. als Mailing Abend bei der Er\nöffnung des Municipal Thralre ,\nSa Juan, Porlo Rico, eine Panik\nentstand. Der Andrang war wegen\nde Festes der Heiligen Drei König\nenorm.\nLchwcdcullillll in Audienz.\nEhristiania, 7. Jan\nDer neue amerikanische Gesandte für\nNorwegen, Alberr G. Schivedemann\nvon Wisconsin, wurde am Dienstag\nsawmen mil seiner Gattin vom König\nin Audienz empfangen.\nOffizier angelltigt.\nGrand Island, Neb., 7. Jan\nWaller SammonS. ehemaliger\nSb-riss von Buffalo Evuntv. Obrrst\nleuinanl in der Nationalgarde von\nNebraska, und ehemaliger Bunde\nossizier aus den Philippinen, wurde am\nDiknslag in Grand Island, Neb., unier\n-s.tttt Bürgschaft den Bundesgerichten\nwegen Theilnahme an dem in der Nacht\ndes 2b. Dezember im Postamt in Kear\nney, Neb., verübten Einbruch überwie\nsen.\nErtrusession in Ohio.\nColumbuS, 0.. 7. Jan\nGouverneur Cox berief Dienstag\ndie 80. Gene\'il - Asienibly von Ohr\nzu einer außerordentlichen Session auf\nden !l. Januar zusammen Der Gou\nverneur wird der Legislatur nrr\nBank. Wahl- und Schulgesetze zur\nAnnahme empfehlen.\nStill vierter Protest.\nKansas Eich. 6. Jan\nNächsten Montag wird hier der vier!\nProzeß gegen den der Ermordung sei\nnes Schwiegervaters. Eol Slvoove. an\ngekiagle Dr. B. E. Hyoe beginnen.\n\' Tr. Haobsv s Solde heilt\njnlkendes Cczcma.\nDas steiige Jucke und das brennende\nGefühl und andere nn genehme Arien\nvon Eczema. Salz-Rtie >m: -mn unv\nHaul-Ausbrüche iverden v cm r : kucirt\ndurch Dr. Hodko\' Eczema p inline.\nilieo. W. Flick von Mendr a. Jll\nschreibt: „Ick \'aus eine S-,achtel von\nTr. Hobson Eczema O iniw-ni. Ich\nhatte Eczema seil dem Bu-gerkrstge.\nhabe mich von vielen Acrzien behandeln\nlasten, doch keiner beriethen Hai nur ge\nholfen. dis ich eine Schachrei von Hob\niin\'s Eczema Lmttnenl gedrauckie\nwelches mir sogleich hals." Bei allen\nApothekern oder per Post zu soc.\nPfeiffer Chemical Co.. Philadelphia\nund Sl. LouiS.—Anz.', 'publisher': 'C. Halbwachs', 'language': ['English', 'German'], 'alt_title': ['La Crosse nord stern', 'Nordstern'], 'lccn': 'sn86086186', 'country': 'Wisconsin', 'ocr_eng': 'J Enteral in the Poet Office in )\n( I* Crosse, Wia., at second class rates. \\', 'batch': 'whi_clabbert_ver01', 'title_normal': 'nord stern.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn86086186/1914-01-09/ed-1/seq-1.json', 'place': ['Wisconsin--La Crosse--La Crosse'], 'page': ''}, {'sequence': 1, 'county': ['Vernon'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85040451/1914-01-14/ed-1/seq-1/', 'subject': ['Viroqua (Wis.)--Newspapers.', 'Wisconsin--Viroqua.--fast--(OCoLC)fst01234647'], 'city': ['Viroqua'], 'date': '19140114', 'title': 'Vernon County censor. [volume]', 'end_year': 1955, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Available on microfilm from The State Historical Society of Wisconsin.', 'Editors: D.B. Priest, Aug. 23, 1865-May 12, 1869; W. Nelson, May 19, 1869-April 28, 1875; H. Casson, Jan. 17, 1877-Oct. 21, 1885; O.G. Munson, Oct. 28, 1885-Jan. 7, 1920; H.E. Goldsmith, Dec. 21, 1921-June 29, 1950; G.A. & M.S. Hough, July 6, 1950-Nov. 3, 1955.', 'Publisher varies.', 'Supplements accompany some issues.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Viroqua, Wis.', 'start_year': 1865, 'edition_label': '', 'publisher': '[publisher not identified]', 'language': ['English'], 'alt_title': ['Censor'], 'lccn': 'sn85040451', 'country': 'Wisconsin', 'ocr_eng': 'VOL. LVIII —No. 2\nShort News Stories of Interest\nPick-Upa by Censor Reporters of the Comings, Goings and Doings of\nViroqua and Vicinity\n—Farms listed, bought and sold. W.\n£. Beet.\n—Ed. L. Rogers was up from Sparta\non Saturday.\nBrick, tile and cement at the Nu\nzum Lumber Yard.\nMrs. C. J. Kuebler returned from a\nvisit with a sister in lowa.\n—Attorney and Mrs. C. W. Graves\nwere Minneapolis visitors.\n—Levi Allen has bought a Stude bak\ner from Larson & Solverson.\n—Dr. Chase, dentist, office in Nat\nonal Bank building. ’Phone 32.\n—John E Nuzum has purchased a\nfine Kissel car from Larson & Solver\nson.\n—The best cement and plaster at\nright prices it Bekkedal Lumber Com\npany.\n—Mrs. L. J. Martin and Mrs. Leslie\nSlack and children returned from West\nSalem.\n—Chairman John E. Lepke of Har\nmony greeted county seat friends on\nMonday.\n—Mr=. A. O. Larson went to Aber\ndeen to spend balance of winter with\nher daughter.\n—Percy, son of George Eckhardt,\nwas conveyed to a LaCrosse hospital\nfor operation.\n—Rev. Singleterry is conducting a\nseries of revival meetings in Springville\nAdvert cnurch.\n—Mr. J. W. Mcon r;al estate dealer\nof Viola, repaid a business trip to this\ncity on Thursday.\n—The blind, aged and infirm mother\nof Mat Larson died in Chaseburg. She\nwas 85 years old.\n—Moruecai Appleman, principal of\nViola schools, is ill and temporarily un\nable to continue his work.\n—Shaving sets, mugs, brushes,\nstrops, soaps, powders, hones and ra\nzors at Davis’ drug store.\n—Remember there will be a dance in\nRunning’s hall, Friday, January 16.\nMusic by 5-piece orchestra.\n■-If you want a reliable medicine for\ncoughs, colds, catarrh or rheumatism,\nget Barker’s. All druggists.\n—Until the present stock is sold, all\nour 2-minut? Edison records,youtchoice\nat two for 25 cents. Brown Music Cos.\n—On January sth the stork left a 14\npound white headed Norwegian boy at\nthe home of Mr. and Mrs. Sam Hokland,\nin La Crosse.\n—Milton Powell,a former well known\noitizen of Harmony, was recently oper\nated upon for gall stones in one the La\nCrosse hospitals.\n—Get the habit of attending. Run\nnin’g dances. The next one occurs\nFriday night, January 16, music by a 5-\npiece orchestra.\n—Don’t wait until warm weather\nbut bring in your lumber bills and let\nus figure on them It will make you\nmoney. Bekkedal Lumber Company.\n—Mrs. Robert Sidie and daughter of\nWheatland, together with John Linton\nof Michigan, were guests of the Jer\norae Favor and J. W. Cade families in\nthis city.\n—A measure of the high cost of Irving\nis shown by the federal bureau of sta\ntistics that the dollar of 1913 brings on\nly 51.4 per cent as much as the dollar\nof 1902.\n—Bargains in all overcoats. Prices\nlower than you will ever see again.\nThe mi\'d weather this fall and winter\nmake.-, it necessary for this sacrifice\nTt.e Blue Front Store.\nTizzicatto fingering, staccato bow\ning, he correct method of shiftirg and\nposition work, will be thoroughly ex\nplained by C. F. Wallace, violin teach\n• er, at Running’s hall everv Sunday.\n—Nelson Allen and wife returned\nfrom Waterloo, lowa, where they visit\ned for ten weeks with their son Charley\nand family. They report Charley as\nhaving a profitable year at contracting.\n—Dr. C. D. Mead, graduated and li\ncensed Osteopath, can correct your le\nsions that cause your chronic aches and\npains. Also treats your acute cases of\nall kinds. Over Blue Front Store.\nPhone 209, house 312.\nPeterson of Soldiers Grove,\nand Ralph Pomeroy of Gays Mills, were\nin the city to have conferred upon them\ndegree in the Royal Arch Chapter.\nThey were accompan ed by Ole David\nson and Mr. Pomeroy.\n—That old veteran and member of\nthe county soldiers’ relief commission,\nJoseph M. Clark of Mound Park, met\nwith a severe misfortune on Wednes\nday. He slipped and in the fall frac\ntured the bone in one leg in two places.\n—Ole L. Olson has purchased from A.\nJ. Beat the house and lot recently va\ncated by Eugene Denning, one block\neast of the school grounds, and will\ntake possession immediately, so his six\nchildren may have advantages of our\nschool .\n—A wandering tramp, able-bodied\nand in the prime of life, asked alms\nhere on Sunday. Said be lived in Mil\nwaukee. When it was suggested that\nthe tobacco warehouses needed help he\nreplied that work was plenty at Hills\nboro, and be trudged on.\n—Mr. and Mrs. J. S. Stetler sold\ntheir fine new home in Mound Park to\nJohn Kerr, who recently moved here\nfrom West Lima. Consideration SSOOO.\nMr. and Mrs. Stetler then bought the\nMrs. Kellicutt house in Mound Park for\na consideration of $2,650. —Viola News.\n—Chas. E. Ward, in the bloom of\nwestern health, paid a brief call upon\nViroqua friends on Monday, business\ncalling him to Chaseburg and LaCrosse.\nHe is thoroughly enthusiastic over Mon\ntana and her prospects and reports Ver\nnon county people there prosperous and\nsatisfied with themselves and the coun\ntry.\n—The remains of Peter Briggson ar\nrived here from LaCroase last Wednes\nday, be having died in a LaCrosse hos\npital, where he bad been taken for a\nsurgical operation a few dayß previous.\nMr. Briggson was 46 years old, a high\nly respected citizen of Kickapoo town,\nwhere he \'oaves a widow and five chil\ndren, besides other relatives.\n—The tunniest Topsy, Lawyer Marks\nand Aunt Ophelia, the meanest Legree,\nthe most faithful Uncle Tom, and the\nmost beautiful Eva, all combine to\nmake Harmount’s big production of\nUncle Tom’s Cabin the ideal attraction\nof the theatrical season. Watch for\nthe band. At Viroqoa Opera house,\nMonday night next. Seats at Dahl’s\ndrug store.\nTHE VERNON COUNTY CENSOR\n—Morey loan* a. W. E. Butt,\nlnsure with John Dawson & Cos.\n—Two-minute Edison records, two for\n25 cents. Brown Music Cos.\n—Ali kinds of storm-poof roofings and\npapers at the Nuzum Yard,\nj —Dr. Baldwin,dentist, second floor\nj Ferguson building. ’Phone 66.\n—Rev. Hofstead has bought anew\n! Studebaker Four from Larson & Solver\nson.\nPlace orders now for rorm sash,\nwhile our stock is complete. The Nu\nzum Yard.\n—While t s ey lat, Edison 2 minute\nrecords, two for 25 cents. Brown Mu\nsic Company.\n—Mrs. A. Pinkhani returned from\nMinneapolis with her mother, Mrs.\nWm. Erickson.\n—A new line of Jersey sweaters in\nnavy and maroon, just received at The\nBlue Front Store.\n—lf you want any frames on short\nnotice, leave your order with Bekkedal\nLumber Company.\n—A 5-piece orchestra will play for a\ndance in Running’s hall on Friday, Jan\nuary 15. All are invited.\nLeave orders for cut flowers and\nfuneral designs with A. E. Surenson\nand you will be satisfied.\nRelatives are advised of the arrival\nof a daughter in the home of Floss\nStrieker-Brierton at Aberdeen.\n—We have a big stock of barn boards\nand tobacco shed material, and the\nprice is right. Bekkedal Lbr. Cos.\n—I have a place to loan $2,000 and\nS7OO at 7 per cent. I bttve some money\nat 5 per cent. W. E Butt.\n—Ladies’ flannel waists; reduced very\nmuch in price; $3 00 waists reduced to\n$2 Oosl 50 to $1.15. The Blue Front\nStore\n—Dr. Edward Enerson returned from\nEvansville, where he finished a course\nas jeweler. At present he is giving his\ntime to optical work.\n—Miss Mabel Pierce was the luckv\none in J. W. Lucas’ award of a watch\nfor guessing closest to the number of\nsales made at his store during Decem\nber.\n—Cronk & Willard, Chiropractors,can\ncorrect your displaced spinal bonep,\nwhich cause your chronic aches and\npains. In Ferguson Bldg., Suite 2,\nphone 27.\n—Knights of Pithias lodge will hold\nannual installation of officers next Tues\nday night in Odd Fellow hall. Refresh\nments will be served. All members are\nrequested to be present.\n—S. W. Ewing has soil his farm near\nReadstown and purchase\' 4 a larger one\nnot far from Sugar Grove. A large\nparty of neighbors met on a recent day\nand extended farewell house warming.\n—Mr. Chris Homstid, clerk at Rog\nerson & Dani s store has secured agen\ncy for Norwegian-American Line tick\nets to the old country for Cenntenial\nJubilee. Fuller announcement next\nweek.\nWalter MeClurg was at Madison\nfor a week, attending a meeting of\ns cretaries of “County Orders of the\nExp -rimen Association.” Also Alfal\nfa convention and annual grain and\nfruit ‘how.\nMr. Albert Davik of Manning, new\nsecretary of the Utica inturanee com\npany, was in the city on business, yes\nterday. He has just added to his farm\npossessions by purchase of E. C. Toste\nrud’s 40 acre place.\n—Harmount’s Uncle Tom’s Cabin\nwill be at the Opera house, Monday,\nJanuary 19, producing the correct and\nonly authorized version of Harriet\nPeecher Stowe’s great masterpiece.\nWatch for the band.\nFrom Idaho came the news of John\nPeterson’s death, where he had been\nsome years. He was a son of Clouse\nPeterson of Franklin, reared and well\nknown in this community. Remains\nare expected by any train.\n—Managers of the new Bank of\nWestby counted wisely in securing the\nservices of Former County Treasurer\nHenry N Rentz as an active assistant\nin the affairs of the institution. Mr.\nRentz is a capable and popular gentle\nman.\n—Large crowds are attending revival\nmeetings at the Methodist church and a\ngrowing interest is manifested. Ser\nvices will be held each evening except\nSaturday. There will be a boys’ and\ngirls’ meeting Friday at 4 o’clock. The\nrites of baptism will be administered\nSunday morning.\nHartmount’s big scenic production\nof Uncle Tom’s Cabin is deservedly\npoDular. It is hard to find a person\nwho has not seen it or doesn’t intend\nto. It is patronized by clergymen and\nreligious press, as delightful, instruct\nive, and strictly moral, at the Opera\nhouse, Monday, January 19.\n—Chairman C. J. Eastman of the\ncounty board, and Merchant Curry were\nover from Valley on official business\nlast Fridav. While here Mr. Eastman\nintimated that he might possibly yield\nto solicitation of friends and throw his\nhat into the ring for sheriff. Which\nmeans that the fellows who run against\nhim will know they had a race.\n—A number went to LaCrosse to wit\nness two or three prize fights staged\nunder authority of our wonderful com\nminsion to license and promote prize\nfighting in this great morally reformed\nstate. Commission? Yes commission!\nOne of the fruits of the late legislature.\n“Commission” has become a household\nword in Wisconsin. If you don’t be\nlieve it, look at your tax receipt this\nyear.\n—The 1914 Studebaker “4”isaacom\nplete a car as money can buy today at\nany price. It is the lightest in weight\nof any car on the market for its size\nand equipment. It has a tremendous\nhorse power, climbs the steepest hills\nwith ease. It is a mountain climber\nand also as stylish and handsome as the\nhandsomest. See the half-page adver\ntisement in this paper, study it, com\npare it with any other car.\n—An old pioneer of Christiana town,\n1847, responded to the Master’s call,\nwhen on December 24, Gudbrand Oium\nlaid down life’s burdens. He was a\nnative of Norway, aged 83, leaving four\nsons and one daughter, the latter being\nMrs. Brown Oiscn, of Christiana, and\nDr. F. M. Oium of Oshkosh, the others\nresiding in the west. The venerable\nElias Neprud of Coon Prairie is also a\nbrother. Mr. Oium was married by\nRev. Stub in 1855, moving to South Da\nkota in 1879, returning here a few\nmonths since.\nImportant Itappenings of 1913 In Pidortal Review\n"ITtAM WINS 1 TKftVtKS WINSBWHITL ttUUSt WtfiOlWSl\nMISS HELEN UOULD was married to Finley J. Shepard at Tarrytowu, N. Y. on Jan. 22. General Victoriano Huerta became provisional president of\nMexico on Feb. 18. J. Pierpont Morgan, financier, died In Rome on March SI, aged seventy-six. President Wilson read his first message iu person\nbefore congress in joint session on April 8. Princess Victoria Louise. onl< daughter of Kaiser Wilhelm of Germany, was married to Prince Ernst\non May 24. The American (Kilo team won the international match from lae British challengers at Meadowbrook, K Y., on June 10-14. Over 40.000\ncivil war veterans attended the great reunion at Gettysburg, July 1-4, to celebrate the fiftieth anniversary of that buttle. Governor William Sulser of New\nYork was impeached on Aug. 11. Jerome D. Travers retained his title to the national amateur golf championship at Garden City, N. Y., on Sept. QL The\nsteamship Volturno. Uranium line, burned in midocean on Oct. !, 131 losing their lives and over 500 being saved. Miss Jessie Woodrow Wtlsou was mar\ntini! at the White House on Nov. 25 t;> Francis U. Sayre. General Carranza s rebel followers won Important victories in Mexico In December.\nFINDINGS BY HIGHER COURT\nImportant Local Cases Decided by\nSupreme Bench\nLocal ittorneys are advised of find-,\nings by the supreme court of two im\nportant cases appealed from Vernon\ncounty circuit court, the decisions be\ning handed down on Tuesday.\nThe judgment rendered against the\nLindetnann estate and Viroqua city for\n$1,500 personal injury to Mrs. L. R\nArlington by falling on a slippery walk,\nwas affirmed.\nThe judgment finding of a jury at a\nlate term of court in favor of S. C. Ross,\na Retreat farmer, for $2,000, was re\nversed. Ross brought suit against.\nNorthrup King & Cos., a seed firm of\nMinneapolis, on the ground that tobac\nco seed purchased from them proved\nnot what it was represented to be The\nhigher court says in effect that the no\ntice posted on every package of seed\nsold “that there is no guarantee as to\nquality and variety,” constitutes a bar\nto recovery for defective seed or dif\nferent variety.\n—Uncle Tom next Monday.\nMagnus Larson autoed in from\nReadstown on business.\n—Hugh Glenn arrived home from\nSouth Dakota for a visit.\n—The latest thievery-taking of but\ntermilk from Viroqua creamery.\n-Judge Mahoney went to Plymouth\nto address an Equity gathering.\n—The Male Quartet sing at the Cong\nregational church, Sunday evening.\n—To fill a vacancy in the Lyons school,\nMiss Geneva Sands went to Webster.\nEvan Friddell has entered Kuebler’s\nhardware store as a tinsmith apprentice.\n—MiBB Gertrude Cox is home after\nconfinement in Prairie du Chien hospit\nal\n—Read the new continued story—The\nMarshal -opening in chapters today.\nIt is a thrilling tale.\n—Rev. Bayne is advised that his fath\ner has quite materially improved in\nhealth since going south.\n—Hon. Chris Ellefson is at Gettys\nburg, South Dakota, closing matters in\nthe estate of his brother-in-law.\n—Dr. C. A. Minshall is in southern\nIllinois making purchase of a standard\nbred stallion for Carl Anderson of Weet\nby.\nMr. and Mrs. John Gald of Ferry\nville, have been guests of their daugh\nter, Mrs. O. C. Christopherson in this\ncity.\nMrs. F. P. Dodge of Madison was\nan over-Sunday guest of Mrs. J. D.\nBeck, returning on Monday with Mr.\nBeck.\n—Woodman dance at Purdy M. W.\nA. hall on Saturday, January 17 Oys\nter supper will be served by Herman\nChristenson.\n—Eld Lind has made another conven\nience innovation at his “Shoe Hospital.\'*\nEvery Saturday an expert shoe polisher\nwill be there to serve the public. Drop\nin and get a good shine. Rear of Hen\ndrickson’s shoe store.\n—A chimney fire caused destruction\nof the farm house occupied by George\nfamily as a tenant a few miles\nsouthwest of Ontario. They saved only\ncook stove and sewing machine. Mrs.\nMyers is a daughter of Mr. and Mrs:\nGus Hook of thij city.\n—Viroqua Methodist aid society chose\nfollowing officers: Mrs. J. E. Nuzufn\npresident, Mrs. N. M. Foster vice-pres\nident, Miss Anna Turner secretary,\nMrs. T. O. Mork treasurer. Executive\nboa\'c\': Mesdames Butters, N. D. Mc-\nLees.Nuzum,‘Franklin, Snell and Cook.\n—The pleasant and convenient lodge\nhome so long owned and occupied by\nViroaua Masonic bodies, has been dis\npose n of, the Third Regiment Band\nmaking purchase of the same, with car\npets, stoves and other fixtures. It will\nprovide the band with fine and adequate\nquarters and is a good investment.\nMasons expect to move to the new tem\nple within the next month.\n—Rev. Hofstead has just finished so\nliciting for the “Juhelfund ” Two years\nago the church body decided to raise\n$700,000 to pay off the church debt and\nto meet the offer of J. J. Hill, Presi\ndent of the Great Northern R R., of\n$50,000.00 provided the church would\nraise $200,000 as an endowment fund\nfor St. Olaf’a college, Northfield, Min\nnesota. This sum has been raised and\nwent into effect September last Mem •\nbers here responded very freely, iru\nof $4,000 being raised.\nVIROQUA, WISCONSIN. JANUARY 14, 1014\nOPENING OF THE FINE COURSE\nThursday Night, January 22 Enter\ntainment to be P’easing One\nTHE MOZART CONCERT COM\nPANY.\nThe name Mozart Concert Company\nis coming to be one of ilie best known\nnames on the Kedpatti list. For three\nyears past it has been a name which\nhns appeared on the announcements of\nhundreds of Lyceum courses and over\na wide territory. The company the\ncoming year will be the Same as last,\nexcept that William T. Shaffer will\nappear ns the vocal soloist.\nAudrey Spangler Mar Hand has been\nWith the company fom- years. She hns\na delightful person^ 4bt combine*\nin her programs that rare gift of being\nboth an excellent pianist and an ex\ncellent reader. Piunoiogues are an im\nportant pari of her program. Either as\na soloist or accompanist. Mrs. Mort\nland plays with tlyit finish which is a\npositive delight.\nI solid Jungonnnii, the violinist with\nthis company, lias (icon a member of\ntlie Red pa th family for several years.\nShe was one season with the Dunbar\nSinging Orchestra, later coining to the\nMozarts. She Is a southern girl with a\ncharming stage pres nee. Her musical\neducation was received at the Cincin\nnati Conservatory of Music.\nThe eelllst with this company, Alex\nander Spiegel, studied with Franz\nWagner, the well known cellist who\nwas with the Theodore Thomas Or\nA.\nmat, A&icW - -\nMOZART CONCERT COMPANY.\ncbestra for seven years. Mr. Spiegel\nhas appeared before the Woman\'s\nClub of Chicago In recital work nml has\noften played In the concerts given by\nthe Kush Temple Conservatory of\nMusic. He has also played in Ludwig\nBecker\'s Orchestra Becker. It will be\nrecalled, was at one lime cuncertuieia\nter of the Theodore Thomas Orchestra.\nMr William T. Shaffer, vocal soloist\nwith the Waterman Company last\nyear, will slug *evl tenor selections\nduring each eveui:.’ program. Mr.\nAlfred Williams, musical director of\nthe Redpath Bureau, says of Mr Khaf\nfer that he has u most unusual voice,\nsympathetic In quality, ami that lie Is\na dignified singer - In fact, a born art\nist\nTickets may be reserved at Dahl’a\ndrug store next Tuesday, opening 9 a.m.\nWas Close and Exciting\nProbably the best and most exciting\nbasket ball game ever pulled off in the\ncity waa Friday night last between Viola\ntown team and Viroqua highs. At the\nclose the score was 23 to 22 in favor of\nViroqua. It was a contest worth wit\nnessing, and it is more than creditable\nto the home team that they succeeded\nin holding down the big visiting aggre\ngation. It is certainly a tall and heavy\nline up, selected from the best athletes\nin that section, having as two of its\nmembers Omar Benn, league ball pitch\ner, Prof. Birdsell, a prize athlete, and\nothers that team in harmony. It is\ntheir second game, indicating that when\nhardened down and in thorough .aining\nthey may become invincible We re\npeat that our boys deserve praise for\ncoping with these Viola giants. Prof.\nOrput and Oltman played with the highs\nto fill vacancies caused by sickness.\nNEW YEAR REORGANIZATION\nLeading Business Man Incorporates\nHis Affairs\nAsa matter of convenience, safety\nand protection to all interests, Mr. Fred\nEckhardt, the most txtensive dealer\nVernon county has ever had. entered\nupon a reorganized system with the new\nyear, having incorporated his business\nwith a paid-up capital of $125,000. Mr\nEckhardt is president of the corporat ion,\nhis son-in-law, Will D. Dyson, is secre\ntary and treasurer, Mrs. Minnie Dyson\nvice-president. The incorporation in no\nway changes the Htatus of Htfair Mr.\nDyson has long been actively and finan\ncially identi c ed with the large business\nand has demonstrated his ability and\nvigor to do things For the past four\nor five years Mr. Eckhardt has been\nattempting to "luper off” as it were,\nand cast the heavy burdensuponyourg\ner shoulders, but it is not an easy thing\nfor one to do who has worked and plan\nned twenty hours out of each calendar\ndav during more than forty years of\nactivity in farming and management of\nthe largest business ever done by a sin\ngle individual in all western Wisconsin.\nWhether he takes it or not, Mr. Eck\nhardt has well earned a vacation.\n\'ROUND AND ABOUT US.\nWith an evident purpose to exhaust\nthe ten thousand dollar a appropriated\nby the late legislature to investigate\nvice conditions in Wisconsin, the legis\nlative committee “sot” in LaCrosse for,\ntwo or three days last week. By a j\ncareful reading of the local papers we\nare lead to surmise that officials, lawy\ners, doctors and business men of our\nneighboring suburb contribute evidence\nthat can but hs.ve a tendency to adver\ntise LaCrosse as an undesirable place\nfor young jieople to go for educatior al\nan! other purposes. When this travel\ning committee has expended the big\nlump of taxpayers’ money the world\n; will move on in the old way, but the\ncities visited will bear the odium of nusti\nr ness advertised tp the publio.\nBy list of taxpayers published for\nWhitestown in Ontario Headlight, the\nsmallest is given at 65 cents, largest\n$448.97. The latter ia Hon. Van S\nBennett. There, aB everywhere, nash\ning of teeth is the order over excessive\ntax burdens.\nIn the town of Harmony, while Hans\nand Thomas Moe were felling trees in\nthe woods they came upon a tree from\nwhich they secured a good amount of\nhoney.\nHarold Beder, a Norwegian who\nmakes his home most of the time during\nthe summer months with farmers be\ntween Westby and Coon Valley, and in\nthe winter works in tobacco warehouses\nin this neighborhood, while intoxicated,\nmet with a painful accident in Cashton,\nthe crushing of bones in one ankle H j\nstepped before an automobile whils in\nmotion.\nThe Boys are T hankful\nCarriers on Viroqua\'s nine routes are\nthankful to their patrons for generous\nand substantial remembrances during\nthe holiday season, all expressing ap\npreciation for gifts and the spirit of\nofferings. Robert Smsll on route 5, had\nnine sacks of grain delivered to his\nbarn, Honry J. Anderson being the don\nor.\nLecture Postponed\nOn account of rrnssi\' g train connec\ntions, Professor P. W. Dykema will\nnot be able to make his Viroqua date\nthis evening. He will speak here Fri\nday evening of this week at the high\nschool room, and all are asked to be\npresent and aid in the laudable work of\norganizing a Viroqua choral union.\nBrooks Stock Company. I,ast three\nnights this week. All new plays. 15,\n25 and 35 cents. Seltirg at Mahl’sdrug\nstore.\n—Thomas Ellefson has not returned\nhome since the fone-al of hi* aged fath\ner in Coon. His brother Martin is very\nill there Mrs. Ellefsor is with her\nhusband in rendering assistance.\nMrs. Etta Stevens secured a posi\ntion in the Sparta state school, in the\ninfant hospital. A better selection\ncould not be made, a kindly aged moth\ner for the children.\nDr. Baldwin’s dental office will be\nclosed on Friday and Saturday of this j\nweek. He i attending a dental con- .\nventioo at Minneapol s. His mother,\naid wifefaceompariitd hm, The latter\nwill visit her parental home in lowa be\nfore returning.\nBIG LOCAL REAL ESTATE DEAL\nChase and Lindcmann Buy the Two\nSmith Farms\nThe largest consideration in a real\nestate sale consummated here for years\nwas made last Saturday, when Howard\nE Smith sold to Frank A. Chase and\nWill F. Liqdemann his farm of 120 acres,\njust north of the city limits, and that\nportion of the old Isaac Smith home\natead lying r half mile north of town,\nconsisting of 85 acres Consideration\nis given as $25,000. Both places are\ndesirable property and the buyers are\nto be congratulated on their acquisitions.\nMr. Smith has been desirous of turning\nto other lines, and after giving possess\nion next March expects to go to Cana\nda for a time at least.\nTHEY HOLDANNUAL MEETING\nFirst Nutionul Bank Elects Officers\nand Closes Year’s Business\nAnnual stockholders meeting of the\nFirst National Bank was held yester\nday and a satisfactory year’s business\nclosed. A good dividend was passed\nand liberal sum added to surplus. Of\nficers of last year were re-elected as\nfollows:\nPreiident-H. P. Proctor.\nViw*PMkinti-E. W. Hazcn and Wra, Webb.\nCnhivr — H. E. Packard.\nAflaiHtant t\'aahier —Albert T. Fortun.\nDirectors — H P Proctor, Dr. J. K. Schreiner,\nWilliam Webb, E. W. llav.cn, Albert Sol venton. H.\n!>. Reed. H. I*. Proctor, Jr.\nProminent Merchant Shifts Business\nAfter a third of a century of con\ntinuous and successful general mer\nchandising at Westby, Hon. Andrew\nH Dahl relinquishes the business to\nyounger men, having disposed of the\nclothing and shoe branches to Knute\nVilland, the grocery and dry goods fea\nturcs to Sigurd ar.d Arvid Ramsland.\nAll the new proprietors r.re Westby cit\nizens, Mr. Villand having been for two\ndecades connected with the Dahl estab\nlishment, a thorough raerjhant, while\nthe Ramsland bovs are Westby born,\n6? good stock and capable young men.\nThese new firms will share the com\nmodious quarters so long occupied by\nthe Dahls, With his capable sons, Har\nry and Chester, associated in the busi\nness, Mr. Dahl will devote his energies\nto agricultural machinery and automo\nbile pursuits. Having added largely to\ntheir facilities in new buildings and\nequipment they will be able to handle a\ngreat volume of business. As an indi\ncation of their anticipated capacity they\nhave given an order for 250 Ford auto\nmobiles for the year 1914. The auto\nmobile branch of the new firm will be\nextended to Viroqua, where ample\nquarters are arranged for.\nNew Real Estate Firm\nViroqua has anew firm -a three mar\nland company, composed of well-known\nfarmers - former Sheriff Martin Root,\n1 Henry E. Anderson and Jacob Dacb,\n! Jr.,- who have associated themselves\nj together to conduct a real estate and\nexchange business in the county. They\nhave all been successful in their per\nsonal affairs and ought to make a strong\nteam in handling and negotiating\nsales and transacting real estate mat\nters for farmers. They are reliable\ngentlemen and in ail respects trustwor\nthy. Their established headquarters is\nover Towner’s store. Wo direct atten\ntion to their announcement in another\nportion of the Censor.\nYou are Invited to the Mask Ball\nViroqua Woodman Camp will give a\nmasquerade ball on the night of Janu\nary 23, in Running hall, to which the\npublic is invited. Four nice prizes will\nbe awarded, two to the best dressed man\nand woman, two to the most comically\ncostumed man and women. The Buick\norchestra will furnish the music; tickets\n75 cents. _________\nCome and Help Us\nWe want more help for tobacco sort\ning, both men and women. Come and\nsee us or write. The Bekkedal Ware\nhouse. Viroqua.\nANNUAL CREAMERY MEETING\nNotice is hereby given that the an\nmml mi-etina of the Viroqua Creamery Com\npany will be held in the Opera \' all on Monday.\nJanuary 36. 1914. at 0.-ie o,clock p. m . for the pur\npoee of receiving the annual report and elect two\ndirectory in the place of Joaeph Buchanan and D.\nH. Froilmnd. an their terms expire on that day.\nAIo to receive the cheek! for over-run for the\nlast six months of the year !!£l3. \' I\nWe should like every patron to attend the meet\ninsr a* the question of building anew creamery i\nwill be up for discussion. Please be at the meet- j\nins on time. j\nChhis EiJJBf SON. Secretary and Treasurer, j\nDated January 13,1914. *\nESTABLISHED 1856\nBE SURE OF YOUR FOOTING\nJohn Stoll Doost Vernon County and\n“Old Wisconsin’’\nPasadena, California, January 2.\nFriend Munson: Just a few lines\nthrough the CENSOR, to my inquiring\nfriends: lam rot selling any real es\ntate, but have had a grand trip for the\npast ten days We went to Chicago in\nthe snow on the 23d of December. In\na short time were on the bare land again\nin Illinois. On the morning of the 24th\nwe had plenty of snow again, which\nlasted to nearly Sacr. ento City, Cali\nfornia, and plenty of it, and winter\nright. Part of the way was like real\nWisconsin winter weather. We spent\nChrisimas and the next day in Salt Lake\nCity looking over many things new to\nus. The temple square containing the\ntemples and tabernacle and its bureau\nof information, all of which we were\nglad to be shown. Also were in St.\nMary’s cathedral and at many other\npoints of interest.\nWe landed at San Francisco on Sun\nday morning, leaving winter behind,\nwhere sunshine and rain have made\nplenty of green grass, which looks fine\nfor winter time. While in San Fran\ncisco I met Frank Onley, formerly of\nViola, who think* that part of Califor\nnia is the only country. Mr. Onley said\nit had been too dry since 1909, only\nwhere they could irrigate the land, and\nthe rain was what they wanted. Since\nleaving San Francisco I see they are\nhaving floods and washouts, trains laid\nup and many of the farmers in low lands\nwiped out of house and home in the val\nleys of upper California.\nWe spent two days in Frisco observ\ning what could be seen by tourists, (or\ncountry people as they call us) went\nthrough Chinatown, where they claim\nthirty thousand Chinamen,and of which\nplenty were small ones. We left for\nLob Angeles and Pasadena arriving on\nJanuary Ist, 1914, and from this far-olf\ncity we wish one and all at home a hap\npy and prosperous New Year. We\nwatched the grand parade of the rose\ntournament. There were some grand\nfloats, and many of them. The parade\nlasting over an hour, as we were in one\nplace all that time. In the afternoon\nwe were at the park where there were\nmany races—chariot, hurdle and foot\nracing, high jumping, many things of\ninterest which made the first day of the\nyear a busy one for us. >\nIt is all right and fine at this time of\nthe year and we enjoy being here. The\nfreeze of 1913 was bad for the ranchers\nhere and I am of the opinion farming\nis not in its highest state. There is\nlots of wealth but I am of the strong\nopinion a great deal of it was made in\nthe east. At any rate, Viroqua and\nVernon county looks good to us, and\nnowhere have we seen any more pros-\nBerous country than old Wisconsin.\n(any who have been in the west for\nyears will hardly believe in the advance\nin the enst. but I for one can tell them\nof the modern farm homes, and that\nour farmers of today are on the top\nrow with the cash in their jeans, and\nthe best is none too good for them.\nUps and downs hit most of us some\ntime in life, no matter where we go.\nTb- whole thing in this life is in being\nsatisfied and contented, and this leads\nme to say: be sure you have something\n1 letter than Vernon county before you\nmake any change, as Wisconsin and\nVernon county are to me at the head of\nthe list. Mv wife says to me “be a\nbooster for Wisconsin.” That is what\nthey do in Pasadena.\nYours, J. E. Stoll.\nRoger the Whole Works\nHon. Roger Williams of Hillsboro,\nwho, as justice, lias doubtless married\nmore couplea than any man in Vernon\ncounty, gives notice how to wed with\nout license er medical examination. In\nthe Sentry he advertises:\n“To all those who contemplate mar\nriage in future and wish to wed under a\nsolemn contract, which is binding and\nlawful under the laws of this state, I\nwill draw up for them. The common\nlaw prevails in this state. All that is\nnecessary to do for two people who wish\nto be married is to make b written\nstatement, before witnesses, that they\ntake each other as man and wife. You\ndon’t require any license, medical ex\namination, priest, clergyman or magis\ntrate.”\nDetermined to Hoist Head Officers\nModern Woodmen everywhere are\nsounding the slogan for defeat of pres\nent head officers of the society, who\nwere instrumental in attempting to\nforce the outrageous increase in rates.\nThe local camps will elect delegates at\nthe first meeting in February to attend\na county convention to be held in Viro\nqua later. Camps are entitled to ore\ndelegate for each 26 members. Every\nWoodman in the county should attend\nthe meeting cf his local camp at the\nfirJt February meeting and have a full\nrepresentation at the county convention.\nThe unhorsing of head officers can only\nbe accomplished by moral support and\ndetermination of members.\nChance for More State Inspectors\nIce cream dealers and traders in oys\nters ate now required tn conform with\nanew regulation by the weight and\nmeasures department of the state. Pa\nper ice cream and oyster containers\nmust be filled to a certain height and\nbe marked by a perforated line accom\npanied by the words" Fill to the Mark.”\nThe capacity of the paper bucket must\nalso be plainly indicated on tbe side or\ntop.\nImportant to Threshermen\nAnnual convention of the Wisconsin\nBrotherhood of Threshermen will be\nheld in Madison city January 20th and\n21st. Every tbresherman in the state,\nwhether a member of the association or\nnot, is welcome to attend this conven\ntion and the special attraction on the\nevening of the 20th in the shape of a\n“Dutch Lunch” and smoker. Drop a\npostal card to The American Thresher\nman, Madison, and get your name in\nthe pot.\nToo Sudden for Comfort\nArrival of zero weather for this sea\nson was delayed till January 12th, when\npeople were astonished to arise and find\nthe mercury registering ten below.\nSunday was warm and pleasant, water\nstanding in the roads and automobiles\nmade their rounds as freely as in June.\nThe change was too sudden for com\nfort.\nInsurance Company Officers\nUtica farmers\' mutual insurance com\npany held annual meeting at Readstown\non Friday. Following officers were\nelected:\nPreaidenl—L. C. Schoenbernrer\nVice-President—William Barney\nSecretary—Albert Davick\nTreasurer-J. B. McLeea\nDirectors—O. H. Larson. John Cummins, B. F.\nCooley,', 'batch': 'whi_doxy_ver01', 'title_normal': 'vernon county censor.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85040451/1914-01-14/ed-1/seq-1.json', 'place': ['Wisconsin--Vernon--Viroqua'], 'page': ''}, {'sequence': 1, 'county': ['Washington', 'Winnebago'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn86086559/1914-01-14/ed-1/seq-1/', 'subject': ['Blair (Neb.)--Newspapers.', 'Danish American newspapers.', 'Danish American newspapers.--fast--(OCoLC)fst00887764', 'Danish Americans--Newspapers.', 'Danish Americans.--fast--(OCoLC)fst00887668', 'Lutheran Church--United States--Newspapers.', 'Lutheran Church.--fast--(OCoLC)fst01003996', 'Lutherans, Danish--Newspapers.', 'Lutherans, Danish.--fast--(OCoLC)fst01004083', 'Nebraska--Blair.--fast--(OCoLC)fst01228909', 'Neenah (Wis.)--Newspapers.', 'United States.--fast--(OCoLC)fst01204155', 'Wisconsin--Neenah.--fast--(OCoLC)fst01227527'], 'city': ['Blair', 'Neenah'], 'date': '19140114', 'title': 'Danskeren. [volume]', 'end_year': 1920, 'note': ['Also issued on microfilm by American Theological Library Association.', 'In Danish.', 'Merged with: Dansk luthersk kirkeblad (Blair, Neb.), to form Luthersk ugeblad.', 'Organ of: United Danish Ev. Luth. Church, Feb. 23, 1909-1920.', 'Published in Blair, Neb., 20. Apr. 1899-29. Dec. 1920.'], 'state': ['Nebraska', 'Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Neenah, Wis.', 'start_year': 1892, 'ocr_dan': '-f-IsssssssssssssssssIIIRIIIIIIIIIIIIIIIIIIIIIIIIIII\nTHE·UNchD\nDAleH\nIMMCMCAL\nLUTHM\nCHURCH\nINW\n-T- IMOXOMXOXOXQ 0’ I ZAI Obs- 101 YO4M1 . 1501010 I- « I «T«11111’-«- XXXOXO Is!\n— Ni. 2. f ·I1 I IVi«i-iis)«LI-icbfk., Ousdag dkui i4. Zusiiklii jäh-. " «" —" " s"7 Mij —\nStillingcn i Mexico.\nOjiasgi faldt Ratten til Sindag i\nRebellckueo Hast-due\nMai-se baade milimske og kivile\nFlysluiuge paa U. S. Grund.\nPreihdm Text, 7. Jan. - - meins\nral Jofe Mmtcilla, on as de frem\nmcite Komnmndører i den fodernlts\nnækiknnssc Hast-, dotierte-rode i Don\nog com omsk til den omcritmtssc Eis\ndo fm Diimmn ug toqu sum Fun\nac of U. E. Hrwnscinmt. Hans\nSm, disk var Kaptath fnlgtcs band\noa de am- ist falskt Nmm til Jnunis\nstationvnmndiqlusdrnm »Im da de\nblev spkt from for Majas Mctkkmnecy\ndr- amcrjkanskc Tromer Kam-non\ndir-, tilstod ban jin Jdisntstet on\nbod om Vcskvttolsa «\nGeneral Mancilla, disk komman\ndkrch en Division of den regula-—\nte Arme, hnvde Otd for at vasre\nen tapper General og en stærk Til\nhttsngek as Hart-ins Nogich At\nhon hat fokladt Ida-ten tydcss as\nRebellekne iom m Fort-bist for en\nsmva Dvemang til den ondm\nSide fm de fademle Troppcr ved\nOiinaga «\nMexico Cun, ’-. zan. Bau\ngodt sum alle Pnpitspeuch der\nfindet 1 Mexico korrekt-des i Ciria\nlatiou i Das vrd et Dekret, sum\nGurt-to udstedtc, gaocnde nd paa\nat Sedlet im alle Statt-bunter et\nlovligt Betalinacsmidch ou dcrcs\nModtaqelsk iom simdant er obliga\ntot-ist.\nMexico Cim, II. Jan. — Ptæsii\ndem puetta siacss dek, vil ikkc te\nsianerr. men han er uillia t:l m re\naqungcte sit Kabinct oa ellets at\ngin- hvod fom helft der bmdc be\ndre Focholdet mellem Mexico\noa United States-. - Drt\nei- dcn fldftr Mklditm, der » braut\nfm Pkwiidmtcns Kontos-, og dct\nfiaes at hanc vix-rot Huntas An\ntudnina til Ækkebiskov Mem oa\nN andre-, Iom bar spat at bevægc lmm\ntil at tut-M- sia tillmqe for at be\ndre Stillinqm\nVersidia Irr. U. Jan mnn\nvon vod Ohunm nnsllcsm »Mit-rat\nVillas Ttowrr ou do Rom-rate wr\ndaq Affen on pansølmsndc Nat end\nte Incd afajott Em- for Ncslnsllvmc\nCWncmlkrms i den fuhr-rate Hast oa\nflms Tusindts as bonI-J Mit-nd satte\ni Huj oa Hast over Flotte-n til Pro\nsidio. da de indfaa, at do ikkks laanes\nto kundr holde Stillinqtsn inmd Man\nVan m haan ---« sont det sum-s ——--—\nuovcrvindrligc Krisen-. —- Tot var\nved Midnatstid, Forsvarorne opaan\nOjinaga, iom der nn har vcekct\nkæmpet am et Var Ugor Den spr\nste General, der ssate Zifferhcd\nvaa Texasiibnh var Pascual Ores\nko, om iok lamgc siden var undfaat\npaa Livet af Villa Tibliaekc var\nVognladningcr af Dokunusntck til\nhstende Regt-ringen i Mexico City\nbragt over Grasnftsn og beslaqlagt\nf den antrtikanikc ·(Sjkasnfcvqgt.\nBerai flnttrdc man paa Forhaand,\nat Forivaternes Sag stod stet, oa\nat man tunde vente Nømninq naar\nsont helft — En Mænqdc civile\nMinaer et oaiaa kmnmen hertil,\nog der berstet allen-de ftok Nsd\niblandt dem. Mand, Kvinder. Vorn,\nBunde-, Hinz oq Kreatnrer et stu\nvet samtnen over-alt\n. Med Qiinaaas Jndtaaelic hat\nVan ubefttidtscigt Gestad-same over\nnakdre Mexico, oq for iaa vidt kan\ndet stdste Slaa bete-ones sont det\nmest afatrende· —- Villa stal have\ntoleakafrtet ttl Carranza i Saat-ass\nat nu ,.havde han bevsst, at han\nknnde indtaqe Oiinaaa«.\n· J Mandags aatede han at Jætte\nKutten mod Thihuslmcy hvorfra\nhan faa vilde dkaae fydpaa mod\nRemchllflens Gavedstad\nGeneral-me Verrat-a Castro,\ninaL Rom-ro, Iduno oq Landes«\n. sein kam over firvresidim blev ta\nflet i sicrvarina as de amerikanste\ntret-per Liadaa betet Falk. Ill\ndrkq sit et hoc Mdt I Frei-süd\nat vor Hur hat« numttsst onst-jage\nou afvaslmc m san betvdci.g Flok\nFrcmmcdc vaa ern Gang.\nNoneralcrnk Lmzco oq Ynez Sa\nlnmr, sum nnførtc de fvdcmle Fri\nvillimx or nndchart m einstimij nf\nIl. Z. Mundiabrdcr, fordi do lmr\nkkasnkct Nøjtmlitotsklvorm-.\nLjiunqm Mer» H. Jan. —\n.,Pmniso« Villnss erusllcsr fuldførte\nIhm-is Jndtoaclsis as Oiitmqa i Tau\nimsd at heut-cito over Halvdcslen of do\n;300 Fsdcmhn disk toqu til Amme\n’(Ikonrmlons3 qmnlts Motokns at ov\nftillts de dødsdmntc i Linie og neb\nfkndcs dem fra Sidcn mstttomss Li\nmsne kam-des drrmn fmnmcsn i en\nTmmo oq opbmndtkss i Nahm\nTot vnr swrlia di- Frivilliqe nn\ndor Omco oa anmmc der br\nbandlodvs fnalcschs. Tvrsom Dire\nnks kundo vifcs Vanikor von, at do\num- indskmsms E den rmulckre Hast-,\nollcsr do bavdr Vrændemwrke vaa\nBrnftet disk bevissc betten auch der\ndem Leiliabod til at flutte siq til\nVillng Since De. der blev tro\nimod Gurt-tm bit-v nedfkndt.\nAthejdeke faak Del i\nProfiiteu .\nDes-v Fotd vil dele 810,000,000\nom starrt blsudt sit-e Arbejdetr.\nJokd Motor EoncpamJ«, Drtwit,\nMich-, meddeltc i fidste ler en\nPlan, iom skuldc trasde i Kraft i\nMattd41gs. Milliwww-Fabrikanten\nvar kommen paa den laute-, at bang\nAkbejderr fik for lidt i For-hold til\nbvad Kompagniist tjcntc vaa sin\nFormning» Plain-m fom altfao\nnnm vasrc ttcmdt i straft used drunt\nAkbcidsnacsts Visanndclscy qaat nd\npaa at tilsidcsfasttc on Zum of WO»\n()00,000, fon- vsl blims fordclt blandt\nFirmmstss Arbeitser bl. a. ved et for-.\nlwldsvisis betndeliqt Lan-I tillwa, der\nnjl kommt- 22,500 sen andrn Kil\nde siqcsr 26,500) as dem til ande.\nArbeit-etc fom m- lmr 3234 om\nDom-n vil fcm 85 Mnndliqo Arbei\ndcrcs, sont bar fuldt 22 Aar, vil\nfaa Drl i Forbsiclfrm in solv\n»fweepeks« vil fna dort-s 830 om\nllgcn. Oqfcm Arbeit-end sont spr\nsik M n 87 om Degen, fcmr For\nlmiolfc — Samtidia vic 4000 a\n;5000 slm Arbeitsert- blive tnqct i\nEchnoftc on Arbeidstidm nedfnsttvis\nJst-n 9 til R Tinter om Daqu, san\nder blier tte Stifter i Team-r 300\nKvinder. sont arbofdcr i Fort-emin\n41en vil oafaa san Lønstillasg, men\noftck on andrn forskcsllia Plan. -—\nDei or Horn-n Fokd solt-, der bar nd\nllaskkrt Plain-n, oa do andre Aktio\nnen-er bat ttlftemt den. Mr. Fort\nhævder, at det ikke mentlia or Lsns\ntillasq men .,Prosit-Sbarina«, tm\nPrier paa Ford Automohilrtne vil\nMc blivc forbsiet Sau deutet-, at\nPlatten oqfaa vil hierer til at faa\ndyattgere Arbeit-etc\nTango Danien fokhyves.\nParis, 9. Jan. — Kardinal Lcon\nAdolpb Ame-tm Ærkebisioppen i\nParis, fotbndtsk i en Skrivelse fom\nvil blive oplasst i Mist-me her paa\nSandaa. Doltaaelse i WunosDans\nfom en Sond, dcr maa bekendksg og\nsum-s Vod sor. Ærkcbiikomwn start-:\n»Vi fordønnntsr den Dems, der er\nindisrt nde fra, og sont er kendt\nHunde-r Navnot Tango, som i iia\nHelv er ufsmmelig ag fkadclia for\niMoralem oa Kristne man for Sam\nsvlttiqbedens Skyld ikke iaae Del i\n»den«\nKardinal Ame-M vil oafaa nd\nthede en Advent-sei imod visfe its-m\nmeliqe moderne Klasdedraater. .,Vi\npaaminder Windes-« fiqer Kardina\ncen. ,,at de alttd iaqttaqer Regier\nnes for kristeliq Stmmeliabed, hvils\nki- altfor oiie overtmdes. Vi beder\nkristne Minder at Turmes om at\nnichin visfe Moder-, fom ikke stem\nJmek med, bvad der er himmliin\n; Dei er tm Kaki-litten der vptms\nldisk i et Iaiolst Land imod det its-m\nmeligc i lmadc Eil-disk og sein-dr\ndraqt; Inen ogsaa hos os tkcrnarszi\nder til zimnp intod tust Its-Innre\nlia c tnmdo for Zmnvittighcdcns on\nMoralem- Eknld «\nI Ei Kmnpevækt fuldfstt\nf\nStadt-n Nho York-) uye Bands-stin\nninqsmttk tmbact\nNew York, 1(). Jan. — « Et Ida-ni\nUmnlsm i sit Ehas anlnusdrss lnsr\n»tidliq i Tag tnsntlig den noc- Band\nlisdninq im Entifill-«!Iirramm, sont\nifnart konnnrr til at for-inne New\nYork med de minnt-»Don mono\nIusr Vnnd, sont Vnksn tmsnmsr til dan\n.liq. Forst um cst Aar blivcsr Antipa\nmvt fnsrdiat i fin Solln-d Der lmr\nInn ver-tot arbejdvt von det i fov\nAar-.\nEt Tynmnitskud 400 Fod under\nJordcn nnd »Hm- Hundkcsd and\nFortnnintb Strect« oa »St. Niobe\nlos Anmut-« i Formiddcm« Mien\ndmav Tunnclanlimcsts Full-sprele\nTenno Tunncl ligqck fm 200 til\n750 Fod under Vyms Moder-.\nHeli- Fototagmdct bar kostet Vo\nlk-» sit-Monmo, qq 72,000 Mund\nbar her fundet Bestæstiaelie i fnv\njAaL Men det bar ogsaa kostet more\nidet man regnet-, at ille lanat fra\n1000 Menncfkkr er bit-von dkwbt\nollrr bar paadequ sia Aha-stellst\nunder Arbeit-et\nTor ck den-, fom findet-, at drtto\nJnacnitrarbcsidc endoa kan stillt-s\nved Süden af Panamakanalcng Gen\n»Auf-tells\nDen nve Vanvlevnma Ism- Vm\nCatikilLVirmcne oa trwnact jam\nncsm Bin-ge og under Floder paa sin\nins Paar-J Reise til Kammean\nIm Asbokan Rossi-wirkt i Catfkill\nlaer Drithsvandot nennem tsn txt-m\nvcmassfig Lcdninq kanns Voftfidon\nof Httdsonflodm passen-r under\ndesnms i en mmadelia dvb Hast-ert\n.k(sdninq ved Sturm Kinn. løbcr fcm4\nJtil Ekoton Reforvoirfnftemot oq der\njsm msnnem bot nimmtme Led\nIninqksnot til New York.\nL Termcd er dm fsrftcs Del as\nWerksan ftørfte Vandforfvninqsans\nCis-a first-m Misn disk er oafcm kun\njdcsn sorstcs Del. Vondet im Croton\n:vil nomliq frm m nn Vci til Vom\nTot väl komme til at passka acnnrm\nlto nva Reservoir-m dtst enc- vtsd\nJKoIcfiko, dct nndct vcd Ranken-E ca\nUse-Hm duckt-r disk ncd i on ni Mit\nFaun Innnellcdnitm, sont brndcs i\niKlippm dnbt under Manbattons Ga\nIdctc Tot passen-r under Vrookltm\nloq Ost-kons, san under Haupt til\nStatt-n Island on ende i Silva\nLakcs Reservoir-et fin 82 Mil lange\nWeise-.\n- Vanhsorimmmm mqu tm im\nNnndløb i Catikill ncsmlia Einka\nJucin Erholmric Nondout ou Cat\nHut Emp. ,\ni Ailwimi Reicrvoinst, lwor Dom-d\nidelen m Vandet famlcs, Uqu midt\niindis i Ojcrtct af Catikillbjcrgcne\nDrt ligqrr 550 Fod over dagliq\nBande og kan tmkkk VnndctÄp til\niManhattetnsSktMraberufe-s 18. Eta\n»gc udcn Pumpcr. Det nuvækendcs\nSystem naar barc til 6. Gage\niMen Afhokan Refervoirct hat os\nisaa kostet 820,000,000.\n» For at bygge klicickvoitct blcv\niUv Lands-book jasvnct ntcd Jokdm\n32 Kirkcsqnatdc blcv ncdlagt og 2500\nGravc maatte Amtes-. Der blcv bygs\nget adstilliac Mit Jernbamh 10 Mit\n’m) Bin-ach og 10 nyc Brot-it\nFra dette cnorme Reservoir gaar\nVandct fom sagt lanqs Vesiiidcsn as\nHudiom pasierer under Flucht i\n»den mcrgtige Staalhævert vedStorm\nRing oa flydcr ud i Kensico Refer\nvoir. Fta Keniico gaat Vandet site\nMit laanekc iydpaa til Refervoiret\nved Punker Dets Funktion er fop\nfkelliq fra Ashdkam fom somit-r\nMindest oq Kenfica sont apmaqasi\nnistet det.\npouletssdqsinet er beteqnct at\nudciqne det forfkelliqe Vandforbruq\ni ngnets Timer og holde Trost-i\nkonstant Dei bar en Reiervebefwlds\nuitm, sum han« skal bruacgs tilends\nsusfonot Tot lmr kostet s2,5««,»()0.\nTon nnmtinc Vm1dchning, sont fo\nnsr hersta, er den lastmste ou dolus\nftc i Vorbesi. Ton Jocranar lmmt\nVnndlcsdninzmt i dct qmnle Nons,\nsum bar staat-f novcrtmffel E Islnr\nhundrskdvc\nIm Nisfesktvoiret blivcsr Lodnitmon\nesn Viergtunncsb fom cr omtth ni\nMil lang. Den begonder tin-d en\nDiameter of 15 Fod under Man\nlmttan og indfnches cftcrlmanchn\ntil II Fodsis Diana-tot\nVrooklyn imacs acuncm on Tun\nnoL soIn war under Eofi Nimm\nsum-nat apum-m Klippen dnbt tm\ndot- Flodenss Bund. Quem-s funr\nsit Vnnd msnnmn et Staalrør fm\nNrooklnm ou bot-im fort-r oafcm et\nJernrør til antcsn Island\n«\nSidstr Nyc.\nFra Camoka South Afrika, las\nsesks til Morgen i Dag, nt »Aus\nTrndcs FedomtioM oa »Ihr Rand\nPrint-riss« i Aftosfs proklanwrcdeNc\nmsmlstrikcs Heime-m hole South Afri\ncan Union. Totrediedcle stemte for\nVesslutninacn ----« Som Modttcvk\nproklamerede Regetinaon straks\nKünsten Der er uMaa Spasndingp\nder for-staat now-It ,\nFm Tokio, Japan, lwfost Japan«\nmsder tappt-ist en spbbelt Tut-na\nfolssnnacrsnød i Mord oq Jord\nfkaslv og vulkansk Ohr-nd i Syd»\n10,000,000 Menneskck lidet Mangel\ni nordtcs Bondo oa Hokoida manni\ntsr dgdo Hungers-habest Do vol-»\nkansko Udbkud fruetmango\nMajsindføkclfe fks Argenti-c\nNew York, H. Jun. -- Nasftrn\n:5l»s,«»« Vnslnslsri urxnsntinst Maics\nlocsicsdosts i Musikin h» f Dau, on»\nknsr er Uiurt sinnst-un for Sllkilli0-s\nn» Vitflnsliz men- fm den sodanner\nsanfte- Ncpnblit Jndsorslen er in\ndirekte Folge ni, nt Tolden inter\n·drn Inn- Toldlnn or knsknssct Lucr»\nknown-» Vu. H- indsort i To Fur\ntsncsdts Etattsr. sidcn den Inn- Toll-—\ntun tkcmdtc i Kraft. Fra Argenti\nno or disk ikkts for indsnrt TI.)«’nj-:s, oq\nKonkurrenten lmr allen-de tun-met\nPrifksn neb. ltk Etilns er mit-n nn\ndisr Veij cslltsr de cr i Faer nnsd\nat indtkmc Mosis im Argentiuts, ou\net nnnsrikanfk Firma, sont fabrik\nrcsk Sirup on andre Produktcr as\nENan bar ajort Kontrast for 5,\n0()0,0s)0 Vuslnsls sm nasvntc Land.\n— Ncmr den ums amontinske Majsi\navl blinkt indbøstct, vil Jndføkssen\nist Handrcsantoritcttsr tiltaqucrns\ndann-rni- cr nforlnsrodto pan at time\nisnod donne Mass, oa der er heller\nikkts Dokplads for den« Man føaer\nnt bade vcm Manulcsrms paa bodftc\nMonde.\nFra Cbimqo moldos stimme-Dag\nat det starre Prisfald qik en Ccnt\nlasngere ned den Dag. Argentinfk\nMajs scelges for Tiden i New York\n4 n 5 Conts pr. Vu. under, hvad\ndcst kan fnslmss for til Afskibtti1m,\ni Cbicaga Jan-es A. Butten adm\nlor Haob on1, at Prisen paa Mai-I\nvil date cudmc more-, og med Tidcsn\noil dct bidraae til imm- KIdprodnk-·\ntion· «».« »H\nMonm- Bankcsr Haar fallit. Sau\nPaulo, Brasiltmi, R, Jun. Tun-or\npomdom Co. lusr i Vncn or gmust\nfallit. Don-us Fallit immlvvrcsr 46\nPunkt-r i do ftøms Wer i Statcn\nZno Panto. Alle disscs Vnnker blep\nanmdlaat of Jncorvomdom Co.\nTot siqu at flcrr ndonlandskr Fi\nnansinftitntimw er -soltcsdkkedito\ncome-.\n.\nVom-n on Fkgnkrjw Viskoppcn aj\nOrlmns bar ovokfor »Gmslois« cr\nklwret. at Peinen bar meddelt binn,\nat Frankria vil vendcs tilboqc un\nder Pavcstolen· ankriqs reli\nqiøsc Jndflndelle, der bar været\nkcdsaqet af faa vasrdifulde Birmin\nacr. vildc aao til Grund-, derivm\nbot antikleriknle System bedle at\nbestan.\nHorTTagt.««\nWW\n»w-» WM\nLnsdna i sidsns Uge beslnttede\nZkolernndct i Clnszo nted H niod\ns Stcnnnvr at ndelntko Its-»wun\nUjojms on .,«n(-tsmml puritn« sont\nllndcsrnigninngfan fm Born-J Ern\nlist-.\n.\nPolitjkkon bcsgnnder at røre pna\nsin i Minsnssom Win. E. Leu-, Lang\nPfand-»der er progressiv repnblis\nknnsk Wanst-notiertdidnt, rnndcr til\nfor cnhvcr Prisz ikkcs at san mer-)\nnnd ern Knndidnt i Markt-n nnd\nPrimasrnalaet intde Rudern-r Eber\nlmrt. Han stiller qu sclv pan lizns\nFnd mod anim- nrosnoktitns Knide\ndafer.\n.\nAfflmnst Arlnsjdszlsjwln J Port\nland, Lus» linvdo nmn 500 erben-ti\nløfc Mnsnty som lmvde fooct nmtics\n:I««ntloins. Man knin dn ownan om\nnt ville lsndc lnnsr. der vilde arbei\ndr, 26150 om Dom-n for at samlks\nStcn samtnen. Et Pnr Hund-rede\nkoin til Vnknadssnlrn on for-imm\nfin mnnmcndc Lon og Arbcjdcitid\nDa de børtch at Konnnnmsn vnr\nlnsftmnt nnn nt lustnlo 8150 fnr en\nDnns Arlchdc, tmk de fiq nnsd over\nlcacn Dann tillmmu sinds dor.\nI\nlltmat i Chimgkr J ,,Ztand.« af\njidstc Fude lasscsts bl. n.: .,llsasd«\nmutig summt- Nndculukker fmtdt\nZtcsd Lust-dun. Eva lillcs Pigc blu\ndmsbt nf m Eporvomi, on Mund i\n35 Aarcs Aldcsrvn bit-v drasbt as en\nI’ltitoumlsil, ou Tallrt pim dem,\nsont Pan en cllcsr nudon Munde kon\ntil Zkach visd at Mino Werk-w ved\nEnmnnsnslød nusllcsm Nimm-, Imm\nou til over ZU«\nI\nAnnonco for Histkolcislcwr For\nfor-su- Nmm i Vom-J Historiih nusldkssrs\nM- fm Ilklvilndclvbia under II. d-:.,\nlmr man amsrtrwt for at dmnv Eli\nwr. Tot er Stolen-anbot der lmr\nstartet Kannmqncn ved at benledc\nLvitiasrksonclmdm Wo lmilsts For\ndkslks Willimn Ptsnn Hoffknlm by\nder sasrlig unav Maor\n.\nllmsntct Am Fm Kansas- City,\nMo» mosch ander 9. dss., at 21\nTime-r often at J. T. Howcll fra\nCouncil VlnffsT Ja» liavdo liedcst\num ist frit Maaltid Mnd oa is Stcd\nat fovc modtoq ban en telmrafisk\nMcddtslcslsa at en Onkel i Nan\nYork var død ou band-s oftcrladt\ntmm on Arn of 850000\nMod Ealounesk Vtsd det aarligc\nNommunmmlq i Rodtwod Falls,\nMinn., Türk-das i fidstc Unt- bkev\nSaloonerne nodstcm med ist Flor\ntal af 73 Sommer J Fior upd\nfkrmted de med ist Flortal of 16\nStrmmcsr. oq i 1912 stod Stern-ne\nnntallct lims —- en and anqmm\ni Rotnina of Afbold.\nJst-w Bursc- nms Twmmcstcn Jolm\nP. Miit-lieh sont klkytuarödnu over\nLog sit Entbcdc udtalto ved den\nLtsiliglusd Lnsktst om, at der under\nlmnsz Ztnnslsc numtte blink- simk\nM mindre ou arlnsjdet des more\nou at du« umattks finde et til-stiftet\nnasrdiqt Smtmrbthde Stcd melchn\nalle Administratiomsns Ort-ne - —\nMstclnsl valatoss nusd out-kommen\nde Slskuioritot over Tannnayyäs Kan\ndidat, Ja dct sum-s, som man vcntcr\nfiq nusmst nf hom.\n.\nHand chmcidts Saa. wacrnc vi!\nuisindisss. at Muts Scbmidt, der\n»sin Tid var Prwst vcd on katolfk\nKirkc i New York, blcsv anklagt-f for\nat have myrcht Pigon Anna Au\nmüllisr etc. Hans Sag bat nu va\nrot for Netten i New York, mvn ef\nter 36 Timch Votoring erklasrtsdts\nJus-von, at den kkke var i Stand\ntil at ones om en Kcndelfe Den\nanklagt-de- blvv saa fort ttlbaqe tif\nsin Colle.\n»\nHorden raubt.\n»vv—.-V.--.«k.-.\nJordskaslv i Uraskcnlnnd. Athen,\n7. Jau. Et smsrtt surdskaslo uoldtcs\ni Gaur stor Stade paa Ejmdom i\nProvinjeruc Elis ou Pcloputtccs.\nI\nJødertns I Russland-. Ohr-Osa, Hin-J\ntand, U. Jan. J Skartshch m\nfolkcriq Rot-sind til Ludz, uugrcb i\nHat-dass on fanutifk Folkchub TM\ndcrne ug plundrrdc den-«- Hnso og\nBin-findet Ecxjten Jøder og trc\nJødjndcr lilcv ulvorlig sann-t. Trop\ncpmus undertmktedo Lplølnm\ns\n« Ztor Meteor : Fraun-ig. Paris,\nFU. Jun. Folk i der lnsftlims Frank\nIrm san i Astris en nier Meteor.\nder førft blcv iaattacht i Tours-,\nfan- lusnotusr Hiunntslm Tot lnslo\nfna nd sont et lmmt Toq nf lmido\nFlamnustx der qik mod on forfwrdcs\nIlig Fort. Tot lcdfathchs of en\nIMaande fryqtcligc Eksplosiouer,\nHain fnustr Mude Meteoren faldt\nist-d i Søcn baa ved Paimprl vod\n»den engelfke Kaval, oq den noldtcI\nTon faadan Lin-m, at Folk trat-du at\ndet var et Jordskasln\nNød i Allmtiiisn. Wien-, 12. Jan.\nJ Privatbrrvcs fm leiona fortaslleT\nat i Albanicn lnsrsker Dnrtid og An\nnrki. Pan Grund uf Pisimismnnqisl\nstaat alt stille i Form-tuUms-verdr\nHiisIL Tor udførissi inm, ou Jud\nIførselcu or fiin ringt- ut Tit-solc\nYningen muss af Hat-freut Hungers\nnot-. Priferms pim Mel oa Kød ck\nnlmro lmjcn ou imdisn Fødcvarc kan\nimnskchg opdrinisizi. Vormi- ou\nLandsbmsrne er oncrivømnnst as\nInmier d» optmsder saa trink-n\ndi-, nt do iiwritusft kan betrogne-:\nsoni Riner Di- rcisende fmnr al\ntid i Fun- for at blind pinndnst ou\nnmrdist.\nI\nllnisir i Schweiz. Vora, Schweiz,\nl:3. Jun. Floderne i Schweiz stigm\nnnrtiq paa Grund af Tøvcjret, og\ndisk isk stor Fare for Skrcd. J Pen\nnsnbcm blev en lille Pige rcvet\nDort. Vcd Martigny hat et Stde\niiffkimtist Forl)"11dc-lspn mod Clmble\nou Sembrancher. St. Gottbards oq\nArner on Armftisin-«!Ianc-rncs:sZkin\nnmanu isr blisvct affkanrist as suasris\nZur-sind oq ist Tag blisv nfsporet as\nist wad visd Vodensøcii Tom-ais\nsan ikkts zum imsllcm St. Wolltin oq\nSpeicher Dist lmr fnisist oq regnet\nunfladislia i to Tann, san der er stot«\n»Dort-spottweise Bodens-en stiuisr\njmm ou fimsirncnde Moqu.\ni I\ni ."3«-li«1ektt-Ec1k1("sl. Følqende er ri\nInn-Umriss forelølsiq Llfslntnitm nf\nIen Zim, sont i ftere lluer lmr lnsldt\nTuskland j Epiendxtw\nStandban Elsas-, W. san.\nLderft v. Reuter da Løjtnant Schad\nsosn var fat under Tiltule for nt\nlnwe lmndlet nlonlint Inod Jndbug\ngerne i Rudern, blev i Tau fri\nkendt nf Wink-retten RettensJ Puls\nIsident fande, idet lmn fortlarte Tom\nnsen, at det var bevist, at Reqimen\nltetcs Officeker var smdin blevet in\nIsnltetet af de civsle. sum endon knw\nYde kostet Sten pim dens. Ved een\nAnledninq bten der oqsna skndt. Net\nten tun-, faade ban, overbevist otn,\nat de civile Myndigbedet ikke hav\nde vist den tilbørliae Enemi i Net\nninq as at fastte en Stower for\nMat, on Officererne aiorde Net i\nat arresterc dem, sont lmvde for\nnasrmet dem. Omkosmitmerne skal\nbetales as Staten\nPuven on den verdsline Maqt\nVna en Katolikkonares i Milmm\nndtcjlte Ærkobifkoppcn af Udine for\nnvlkq, at Paveftolen ikke lasnaere\ntwnkte pnn at acnoprette Pavens\nverdsliae Gerad-rnan den vilde\ntvwrtimod føle sia tilftedsfttllet\nlwis der blev fkabt international\nGarantier for Pavcdømmets Uafs\nbwnqiqbed Det pavelige »Obferva·\niure Romano« udtoler imidlertid\nat ingen hat vasret bunyndigct til\nat afuivcs noan Erklasring paa den\nkwllige Stolsz Vegmn Dct har hel\nler ingen vjllct Hort-; tlii det er al\ndclcsirs jfkis lusvift, at Wuoprettclsen\nnf Waden-:- visrdisligc Meint äkke\nknnde ble on politifk klkøduocIdig—\nbed.\nHornu—anc--Enkusn. sama-komis\nforsøxusnc stmndor. London, 7.— Jan.\nVladxst ,««.Uc’orninq Post«, der støttcsr\nlhtionisumrtict, sinkst, nt Kaufen-n\nsksn mollcnt Promierminstsr quuitb\nou Ommsitinnenss Fønstx Andre-w\nmer Lam, om Hotuc anc for Ir\nlnnd ika føms ti-s nagt-t. Vlndct\n»aus-nur« at Oaabist om et Kotnpros\nmIss man npgivksikx Mr. Assanitb\n5fnl have Imsttvt at am mrd par-,\nnt Ulfnsr sknldks slippr fri for at’\nkommt-» nnd-er den ums Lon, felv\nmidlcsrtidiq. Thomas Wnllaco Nur\nsoll faqdis i Afteäa nt lmics der bit-v\nTon-n- i Ulsthn vildts Rom-ringen\nqivo dem 2-1 Tinusr til at nodhmxw\nVaalusmsrnc Gan ists-jede at Home\nane Forflnmst tilde blivc Lov nas\nftcs Sommer\nJødtstirolialnsdisr i Numcknicsn\nJ Jus-Hin i Nimmsniisn kom dist Som\ndaq den BR. Tisc. til alvorlicus Sam«\nmonfiød mellcsm Jødisr oa Sachl\ndcsmokrathr paa dtsn one Side oq\nAntisismitor on Militwr pan den mi\ndon. Milftwrct nmatte uøre Vnm\nus Vajoiiottisnic. Antiieniitifko Stu\ndenter overfaldt Jødcrms med Pwal\nou flog Vinditerne ind i iødiskc Hu\ns(-. Stasrke Husinatrouillcr droa\nqcsnnem Vor-n og fort-Log talrige Ar\nrosmtionisu\n.\nKoffer og Sosialdemoqut Undcr\nM tuka Keisprpars Visføa for nn\nliq i Miichcsn vor dot- stor Muth\naelfis Pan Naadlmfcst. visd vallon\nLisiliqlnsd Koffer Willnslm mktis\nIliiisstfornmndcn i Vomismspmsfeuto\ntionesn, Eocinldisinnkmtisn Witti.\nHaandeik oq Kisjforindvn fest-to en\nliwigero Smntalo nicd lmni. »Vor\nwwrts« tin-nor, nt livis dette er rig\ntigb vil Hör-. Wittis Huldniim mode\nden skorpisftc Misbilliqelfe lios bans\nPartifwllor.\n.\nAlbaniowz Furqu Neu-Wird 29.\nDecember Eiter tmnd ,,Neu-Wiisdc\nrisr Leitung« ist-sonst fm sikkcr Kil\ndr, link Prinss Wilhelm til Wicd\nliidtil iklis itsodtnmsk noacn Depittæ\ntion fm dist allmnosisko Folk, oq dct\nor ksndnn ika befme nimr on lwor\nen saadan Modtaqclsis vil finde Sied.\nPrins Wilhelm sorblivcr indtil Nyts\naar i Neu-Wird oa vondor disrestrr\ntillmue til Posdmn Der er isndnu\nIf I « « « «. -\nk« Tkl..«.". pigxioiitmnrr aiment-irde\nPrinfonis endcliqcs Afrcsfscn Det me\nIiis-:., at Titmzzo sknl vaer sont-d\nftnd i Fnrswndømmet Allmn«cn.\ni\n;I)nan lnsrfkvtt PMin PL. Jan.\nTot kincsfisfc Parlament der i fle\nns Tllkaancdor praktisk talt ika hat\noft-Hirten blcv i Gaar vcd csn Pro\nflancation opløst. Ncsarriums-mach\nder nu siddor vod Maatth aodkcnds\nto Forstaavt. disk- skal vaer konnswt\nfra Nemtblikkcns Vicoprwfidvnt,\nGeneral Li Yuan Heim, oa dcs mili\ntaer oa civilcs Gnvrmønsk i alle\nProvinscr. Dis fandt i December\nat Parlammtot fkuldcs opløsps, on\nMagie-u ovcrdrakuss til Prasfidcsntm\noa hans Raub\nDet bcddcsr i Proklamationen, at\n»Parlannsntest vil blivis sammenkaldt\niacsm naar det findt-s nødvendiat.\nDrt or Meninaem at Regt-rings\nraadist nu skal udarbcidc en Grund\nlon. Naadvt bar 71 Modlommcsr on\nboftaar af Macriuacns Medlommer\nna andre Masnd, fom er ndnasvnt\naf Prasfidmks Ynan Sbi Kai, samt\naf Mauern-kehre i Mvincernr.\nFinidlcrtid trucr tu- modtsratcs Med\nlommer af bot ovløfte Parlament«\nmisd at drive en fredtslka Aaikation\ni Vrovinsernc mod Prassidentens\nsandkomaade Der vifor fia onsaa\nTean til, at de vderliaaaaende tren\nkor vaa at faa i Stand et nsjt Op\nwr', 'edition_label': '', 'publisher': 'Jersild Pub. Co.', 'language': ['Danish'], 'alt_title': [], 'lccn': 'sn86086559', 'country': 'Nebraska', 'batch': 'nbu_fourtusker_ver01', 'title_normal': 'danskeren.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn86086559/1914-01-14/ed-1/seq-1.json', 'place': ['Nebraska--Washington--Blair', 'Wisconsin--Winnebago--Neenah'], 'page': ''}, {'sequence': 1, 'county': ['La Crosse'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn86086186/1914-01-16/ed-1/seq-1/', 'subject': ['La Crosse (Wis.)--Newspapers.', 'Wisconsin--La Crosse.--fast--(OCoLC)fst01207161'], 'city': ['La Crosse'], 'date': '19140116', 'title': 'Nord stern. [volume]', 'end_year': 1921, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Available on microfilm from The State Historical Society of Wisconsin.', 'Description based on: Jahrg. 1, no. 2 (6 Dec. 1856).', 'In German with some columns in English.', 'Supplements accompany some issues.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'La Crosse, Wis.', 'start_year': 1856, 'edition_label': '', 'ocr_ger': 'Der „Nordstern" ist\ndie einzige repräsentative\ndeutsche Zeitung von La\nCrosse\n57. Jahrgang.\nTnist-BMast.\nSchaffung einer Zwischenstaatlichen\nHaiidelskommission der\nHauptpunkt.\nWashington. 14. Jan.\nPräsident Wilson setzte am Dienstag\nden Mitgliedern de Cabineis seine\nIdeen über die Beziehungen der Re\ngierung zu den großen Coiporaiionen,\ndas Feld, welches die Aniilrustgesetz\ngebunq IN der gegenwärtige Session\ndes Congiesses bedecken, sowie den\nGeist, von welchen diese Gesetze seiner\nAnsicht nach beieelt sein sollte, ausein\nander. Friede und mchr Krieg, freund\nschaftliche Vermittlung und nicht feind\nlicher Antagonismus, und dennoch ein\nProgramm des Ausbaus, durch welches\ndie Ungewißheit über die Antitrustge\nsetze eltminirl und das Wachsthum der\ngroßen Geschäfte und Industrien gesör\ndert wird, das sind in große Zügen\ndie grundlegenden Prinzipien der Pläne\ndes Präsidenten, welche in der Spezial\ndoischatt enthalten sein werden, die\nnächste Wocke in gemeinsamer Sitzung\ndes Congresses zur Verlesung g-langen\nwird.\nDer Präsident legte dem Cabinet\nda Dokument vor und war den ganzen\nNachmittag über mit unbedeutenderen\nAenderungen beschäftigt, dir aus der\nCabinelssttzung rcsul\'.inen. Mitglieder\ndes Cabtnels sprachen sich begeistert\nüber die Botschaft aus und versicherten,\ndaß dieselbe eine fortschrittliche Erklä\nrung sei, welche der Geschäftswelt die\nGarantie geben werde, daß die Admini\nstration die ehrliche Absicht habe, sie\ngerecht lind ohne Borcingenommenheit\nzu behandeln. Heute wird Präsident\nWilson die demokratischen Mitglieder\ndes SenalskomiteS für zwischenstaat\nlichen Handel und deS Justizkomiles\ndes Hauses mit seiner Botschaft be\nkannt machen. Soweit man bis jetzt\nüber diese Botschaft unterrichtet ist.\nwird sie die folgenden Hauptpunkte ent\nhalten:\nErstens Amendirung der Sher\nman-Akle, damit die debatlirbaren\nPunkte aus ein Mindestmaß beschränkt\nwerden.\nZweitens Verbot gemeinsamer\nDirektoren in verschiedenen Firmen.\nDrittens Größere Verantwort\nlichkeit der schuldigen Individuen bei\nallen lleberrretungen der Aniirrust\ngesetze.\nViertens Schaffung einer zwi\nschenstaatlichen Handelskommission, die\neinmal ein Jnsormations-Bureau sei\nund dann durch Untersuchungen fest\nstellen soll, ob etwaige Auflösungs\ndekreie und sonstige Genchtsbesehte be\nfolgt werden.\nDer llei henkle Eiililirnl.\nBor kurzem haben die Geographen\ndaü nahe Ende eines der ruhmreich\nste! und schönsten Ströme der Welt\nangekündigt: den Tod des heiligen\nEuphrat. Er stirbt unter der Sand\nwelle, die seinen Wafferlauf allmählich\nverschüttet, einen Lauf, der für die\nEwigkeit bestimmt schien. Aber lang\nsam ist der Euphrat vor den eindrin\ngenden Sandmassen zurückgewichen,\nund jetzt rüstet er sich vollends zum\nSterben, wie vor ihm die Wunder\nstädte dahingesiecht sind, die sich an\nseinen Ufer erhoben. So verschwin\ndet mit ihm eins der Weltwunder, das\nder Phantasie die lachendsten Bilder\nvon Glück und Wohlstand vorzaubert;\ndenn mit dem Nil zusammen ist der\nEuphrat der berühmteste Fluß der\nErde, der die älteste Zivilisation der\n„heidnischen Welt blühen und ver\ngehen sah." Ja, die jüngsten Ent\ndeckungen haben sogar den Beweis er\nbracht, daß er überhaupt wohl die\nälteste Zivilisationsquelle darstellt,\nweil allem Anscheine nach die Begrün\nder des Pharaonenreichcs vom Persi\nschen Golf kamen. Es war die chal\ndäiscke Technik, die der ägyptischen\nKunst die Mittel zu ihrer Entwick\nlung gab.\nMesopotamien war im Innern eine\nvon der Sonne ausgedörrte Wüste,\nund allein die Kanalisierung des\nEuphrats brachte es fertig, diese\nWüste der Kultur zugänglich zu ma\nchen. Jahrhunderte gingen darüber\nhin, bis das Werk zustande gekommen\nund die Wüste zum Ackerland gewor\nden war. das große Städte erstehen\nund blühen sah. Die Hartnäckigkeit\nund die Kraft des Menschen haben\nhier die Natur überwunden; aber bald\nkam die Zeit der moralischen und po\nlitischen Entartung, die alles verän\nderte. Als die menschliche Energie\nder Verweichlichung Platz machte,\ntrocknete der Boden wieder aus, und\nder Sand nahm vom Wasserlaufe\nBesitz. Unter dem Staubregen star\nben die Wunderstädte dahin und erst\nvor etwa fünfzig Jahren gelang cs\nden Archäologen, die versunkenen\nStädte von Ninive und Babylon wie\nner ans Licht des Tages zu bringen.\nDamit erwachte auch der Euphrat zu\nneucr Tätigkeit. Unzäh\'ige Ladun\ngen von Terrakotten und Statuen\nund Kunsttlümmern gelangten auf\nibm zur Verschiffung. Doch es war\nnur ein kurzes Eintagsleben. das dem\nfteiligen Strome betchieden war. Heute\ntiezt er wieder still, vergessen, und\nrüstet sich endgültig zum Sterben, aus\ndem es kein neues Erwachen gibt.\nf Nordileä or Sroiit, 81.\nNach Fort Bliß.\nSekretär Garrison ordnete die Hefter\nführunz der mexikanischen Sol\ndaten dorthin an.\nWashington. D, E-. 18. Jan,\nAlle mexikanischen Regierungssolda\nten. welche sich jetzt in der Obhut der\namerikanischen GrenzpalrouiUe in Pre\nsidio, Tex., befinden, werden nach Fort\nBüß gebracht und dort auf unbestimmte\nZeit belassen werde, Sekretär Garri\nson gab am Moniag Nachmittag diese\nOrdre und verfügte gleichzeitig, daß die\nflüchtigen Frauen und Kinder die Sol\ndaten begleiten können, wenn sie eS\nwünschen.\nUngefähr 3000 mexikanische Osfiziere\nund Mannschaften von Huerta s Ar\nmee habe den Rio Grande überschrit\nten. als die siegreichen Rebellen in\nOjinaga eindrangen, und mit ihnen\nsind 1500 Civilisten, Männer. Frauen\nund Kinder, gegangen, die auf ame\nrikanischem Boden vor den Rebellen\nZuflucht suchten. Letztere sind nicht j\nGefangene, sondern diirfen gehen und\nkommen wie eS ihnen beliebt, ohne\nvon den Militärbehörden daran ge\nhindert zu werden, wenngleich sie eine!\nUntersuchung seitens d r Einwände-!\nrungsbehvrde zu bestehen habe wer\nden.\nVorbereitungen für den\nM arsch.\nPresidio, Tex,. 18. Jan.\nSechs Generäle der mexikanischen\nBundesarmee, 3300 flüchtige Soldaten\nund 1500 flüchtige Civilisten, die letz\nten Samstag von General BiUa\'S Re\nbellentruppe aus Ojinaga, Mex„ ver\ntrieben wurden, mußten sich ain Mon\ntag auf einen vier bis sechs Tage\ndauernden Marsch vor: 67 Metten nach\nMarfa, Tex., vorbereiten. Die Sol\ndaten werden aus unbestimmte Zeit in\nFort Bliß untergebracht werden. Ma\njor McNamee hat Vorbereitungen ge\ntroffen, damit die Mexikaner sofort ihce\nQuartiere beziehen können, wenn sie in\nMarsa eingetroffen sind.\nAntorascr in\'s Gefängniß.\nSan Francisco, Cal.. 13, Jan.\nDer Millionär Richard McEreery\nwurde am Moniag im hiesigen Polizei\ngericht wegen Ueberrreiung der Ge\nschwindigkeitsgesetze für Automobile zu\nfünf Tagen Haft im Couniyqesänginß\nverurtheilt. Tie Alttounfälle haben sich\nin der letzten Zeit derart gehäuft, daß\ndie Richter sich entschlossen haben, Haft\nftraftn an Stelle der Geldstrafe zu\nverhänge, um dem Uedelstand abzu\nhelfen.\nD.u iruM und Mcr.\nProfessor Metschnikow Arbeitet, wie\nbekann\', im Pariser Pasteurinstftrit\nseit langem daran, die Ursachen des\nfrühzeitigen Alterns zu ergründen.\nDie Beobachtung, daß die Lebens\nlange der Tiere im umgekehrten Ver\nhältnis zu der Länge ihres Dickdarms\nsteht, führt Metschnikow zu der Ver\nmutung, daß die im Darm vegetieren\nden Bakterien an dem vorzeitigen Ver\nfall unseres Organismus die Schuld\ntragen. Die von diesen Mikroben\nproduzierten Gifte sollen die Ursache\nunseres kurzen Lebens und der\nKrankheit unseres Alters sein. Tier\nversuche ergaben Degenerations-Er\nscheinungen und sogar Tötung der\nTiere durch solche Darmgifte. Zum\nBeispiel verursacht das Indol, ein\nProdukt der Darmfäulnis, das als\nlangsam wirkendes Gift die bekannten\nAkterserscheinungen hervorruft, vor\nallem die Arteriosklerose, die chronische\nEntzündung der Nieren, kurzum Er\nscheinungen, die für den im Alter ein\ntretenden Verfall charakteristisch sind.\nMetschnikow schlug zuerst, um die\nProduktion solcher Gifte in unserem\nDarm und damit die Altersdegenera\ntion zu bekämpfen, vor. Milchsäure\nbakterien zu verspeisen, da Säure den\nFäulnisprozeß hindert. Diese brau\nchen aber einen zuckerhaltigen Nähr\nboden. Nun dringt der mit der Nah\nrung ansgenommene Zucker nur höchst\nselten dis in die unteren Darmpar\ntien, und die Milchsäurebakterien ver\nmögen daher gerade an der wichtigsten\nStelle den Kampf gegen die Fäulnis\nbakterien nicht aufzunehmen. Es\nmußte danach, wie die „Naturwissen\nschaftliche Wochenschrift" berichtet,\nversucht werden, eine Produktions\nquelle von Zuckerstoff im Dickdarm\nselbst zu finden. In der Tat konnte\nein Darmbakterium ermittelt wer\nden, das Zucker aus Stärke bildet,\nohne die Eiweißkörper anzugreifen.\nDas zuckerbildende Bakterium paßte\nsich den Verhältnissen im menschlichen\nDarm überaus aut an und erwies\nsich absolut unschädlich, und di In\ndol- und Phenolbildung im Darm\nwurde sowohl bei Tieren wie bei\nMenschen bedeutend herabgesetzt. Zur\nUnterstützung der Wirkung empfiehlt\nes sich. Kartoffeln in jeder Zuberei\ntung zu essen. Außerdem ist es not\nwendig. den Fleiscbgenuß soweit wie\nmöalich einzus ranken. Das zucker\nbildende Bakterium lüdet den denkbar\nbc\'\'en Nährboden für das Wachstum\nund die Anffcd\'.nng der Müchffä\'. rQ:k\nterien im Darm. und erst im Zumm\nmcnwirken bien:\',:; erzielt man die\nvolle Wirkung.\nBcrMlicitcr-ft>iuct\nI\nIceue kosincoittraktc sind die l>aupl\naufgabe der Nniked INine I\'Oor\nkers os America.\nIndianapolis, Jnd., 18. Jan.\n178 i Delegaten, welche 415,000 Mit\nglieder vertreten, werden dem 24. liiler\nnationalen Convent der Unncd Mine\nWorkerS os Amenca beiwohnen, welcher\nani 20. Januar hier eröffnet und drei\nWochen dauern wird. Es wird die erste\nVersammlung unter der neuen Consii\nl\'ilion sein, welche vorschreibt, daß der\nCvt\'venl alle zwei Jahre abgehalten\nwerd\'il muß.\nj Nack\' der Erklärung von Präsident\nJohn P, White wird es zu teliiertel\nFaklions.\'ämpsen kommen. Er fügte\nhinzu, die Zahl der Mitglieder habe\nsich in den letzten beiden Jahren nahezu\nverdoppelt. Die Hauptarbeit de Con\nvents wird die Festlegung des Lohn\n- contrakls sein, welcher an Sl-Üe des\n!am 81. März 1914 erlöschenden treten\n! soll, welcher die Kohlengrubenieute be\ntrifft. Tie Delegaten erden bestim\nmen, welche Forderungen von den Ar-\nbeiter gestellt werden dürfen.\nArveilssekreiär Wilson. Senator Kern\nund Dr, I, A, Holmes, Chef des Bun\ndesbureaus für Grubenwefen, haben\nunlcr Anderen Einladungen erhallen,\neme Aujvrache vor de Tetegale zu\nhalten.\nTratMlische Tlrnfe.\nOickland, Cal,, 14, Jan.\nWeil der 25 Jahre alle TANARUS, C, gulls\nWerkzeuge im -„erlh von 75 Cenis ge\nstohlen Halle, wurde er am Dienstag\nvon Richter Frank B Ogden in Oak\nland. Cal., aus acht Jahre nach dem\nSa Quentin Gefängniß geschickt. Der\nRichter begründete da Urtheil damit,\ndaß Fulis im letzten April unter Pro\nbaiion gestellt worden sei, daß er gegen\nden Wunsch de ProbatioiiSbeamttn\ngeheiralhel, sich häufig betrunken und\neinmal seine junge Frau mit einem\nRevolver bedroht habe.\nCtiina\'s Parlament aufgelöst.\nPeking, 13. Jan.\nDa chinesische Parlament, welches\nbereits seit Monaten existenzlos war.\nwurde am Montag durch eine Prokla\nmation von Präsident luanschikai for\nmell ausgelöst, nachdem der Berwal\ntungsralh der Republik seine Zustim\nmung gegeben holte. An dem Per\nwalluiigSrath wird es jetzt sei, eine\nBenassung auszuarbeiten. Diese Kör\nperschaft zählt 71 Mitglieder und zählt\ndie Cabineismiiglieder und die Pro\nvinzialgvuoerneure, sowie andeie vom\nPläsidenten ernannte Männer zu Mit\ngliedern.\nIn der Zwischenzeit werden die ge\nmäßigten Mitglieder de Parlaments\nin allen Provinzen der Republik eine\nfriedliche Campagne gegen diese Schritt\nvon Präsident luanschikai l i die Wea\nteilen, wahrend die Exiremen ver\nsuchen werden, eine neue Revolution\nanzuzetteln.\nWiiö i.\'r l.i.c drehet?\nJeder hat schon civnnil eine Brehe!\nglgeffen. Wie viele wissen aber, was\ndieses Wort eigenNich bedeutet? so\nfragt Adolf Stöbet in einem hübschen\nAufsätze über Volksetymologie, Und\ndoch hat Jeder, der darüber mit un\ntergeschlagenen Armen nachsinnt, im\nwahrsten Sinne des Wortes die\nBretzel vor sich, denn sic ist nichts an\nderes als eine Nachbildung seiner un\nterschlagenen Arme, freilich imKleinen.\nDenn sonst würde sie Bretze heißen.\nBretze ist nach Jakob Grimm „ein in\nGestalt untergeschlagener Arme ge\nbackener Brotring und Bretzel die Ver\nkleinerungsform. Dies Wort ist aber\nnicht urdeutsch, sondern es kam zu uns\naus Italien, und hängt mit dem\nitalienischen „braccio" zusammen."\nDie Italiener nannten nun dieses\nnach beiden Armen geformte Gebäck\nmit dem Plural „bracci", und daraue\nentwickelte sich das deutsche Bretze-\nGebäck. von dem nur noch das Dimi\nuulivum Bretzel erhalten geblieben ist\nEine unverkennbare Verwandtschaft\nhat die Bretzel, die gewiß Verhältniß\nmäßig jungen Ursprunges ist, mb\neinem einfacheren und viel älteren Ge\nbäck, das von seiner Gestalt her einer,\nurdeutschen Namen trägt. Es bilde!\neinen Kreis, einen Ring, und heißt\ndeshalb Ring oder Kring, woraus\ndann genau wie bei der Bretzel die\nBerkleinerungssorm Kringel sich bil\ndete. Ter „Kring" als Gebäck ist\naber noch nicht lange ausgestorben.\nNochum 1780 schrieb z. B, Merck aus\nDarmstadt an Goethe: „Meine Frau\nläßt schon einen Pfingstkringen mehr\nfür Sie backen", und in dem 1865\nerschienen „Namenbüchlein" von Vil\nmar erscheint sogar noch der „Rinken\nbäckcr", der die „Riim-" macht. Es\nist sehr begreiflich, daß sich erst in\nverhälinißmäßig später Zeit die Di\nminutivformen zur Bezeichnung der\nGebäcke herausgebildet haben. Denn\ndie ältest.n Gebäcke zeigten sicherlich,\nwie die einfachste Gestalt, so auch ein\ngroßes Maß; erst später sind sie dann\nkle.n und in der Form künstlich ge\n! vordem\nCrosse. Wis., Freitag, den u;. Januar l.\nGciicMlmk.\nSämmtliche Gewerk,Misten in\nSüdafrika stimmten i,, diesem\nSinne\nKapstadt, Südaircka zg Jan.\nIn ganz Südafrika wurde am\nDienstag Abend der Generalstreik von\nden Arbeiterverbänden und den Gru\nbenarbeitern de Rand-Distriktes pro\nktamirt: erstere waren t zu I, letztere\n2zu 1 lür den Streik, Die Regierung\npcoktannne als Gegenzug da Stand\nrecht.\nIn Johannesburg ist der Bahndienst\nwieder veffer geworden: u, Natal sieht\ndie Lage dagegen schlimm aus, und au\ndem Oranje Freistaat lausen überhaupt\nkeine Nachrichten ein.\nDie Behörden geben sich verzweifelte\nMühe, möglichst viele eingeborene\nschwarze Arbeiter nach Hause zu schicken,\nehe e zu dem vielleicht unausbleiblich, n\nZusammenstoß kommt; alle farbigen Ar\nbeiter dürfen schon jetzt nach Einbruch\nder Dunkelheit ihre Quartiere nicht\nmehr verlassen. Die Lage wird von\nden Behörden schon so ernst angesehen,\ndaß die Mitglieder de CabinellS nur\nnoch unter starkem bewaffneten Schutz\nausgehen. Ueber hunderttausend Bur\nger stehen bereits unter den Waffen,\nund wettere melden sich immer noch auf\ndie von der Regierung angeordnete\nMobilmachung der Bürgenvehr hin,\nBesonders energische Maßregel sind\nin der Umgebung von Pretoria und im\n„Rand"-Gediet getroffen worden, wo\nan allen strategisch wtchiigen Punkten\nstarke bewaffnete Abtheilungen postln\nsind.\nRegierung ist unerbittlich,\nKapstadt. 15. Jan,\nDer gestern pcoklamiric Generalstreik\nbeschränkte sich am Mittwoch auf den\nOranje-Freistaat und Transvaal, Das\nSrandrechl wird im Oranje-Freistaal\nstrikt gehandhabt. Tie Presse wird\nner strengen Zensur unterworfen. Die\nStrecker dürfen ihre Wohnungen nicht\nverlassen, auch darf die rolhe Fahne\nnicht gehißt werden, noch dürfen dre\nKameraden irgendwie unlerstützr wer\nden.\nNachdem am Dienstag Abend die\nsämmtlichen organisirten Arbeiter in der\nsüdafrikanischen Republik, -n General\nstreik proklamirt haben und die Regie\nrung daraus mit der Erklärung des\nliandrechls geantwortet hat, ist der\nStreik der Bahnangestellleii, der den\nAnstoß zu den jetzigen Wirren gegeben\nhat, nebensächlich geworden. Es han\ndelt sich jetzt vielmehr um einen Kamp!\ndes Staates gegen die Arbeiierverbände,\nTcr Präsident zurück.\nWashington, 14, Jan,\nPräsident Wilion und seine Angehö\nrigen trafen am Dienstag Morgen l:8>\nUhr vo Paß Christian, Miss,, wo iie\ndie letzten Wochen verbracht Hane,\nwohlbehalten in Wastnngton wieder ein\nund begaben sich sostn im Aulomvbil\nnach dem Weißen Halite: dos Thermo\nmeter zeigte um diese Zritur l 8 Grad\nüber Null, für die aus dem Süden kom\nmenden Reisende eine ganz ungewohnte\nTemperoiur. Tie Reise vertief ohne\nZwischenfall, der Präsident wurde un\nterwegs überall ledhcni begrüßt, enthielt\nsich indes aller Ansprachen; sein Befin\nden ist ausgezeictmkl\nWerden wieder beschäftigt.\nChicago, 14. Jan,\nIn den Werken der United Steel\nCorporation i Souib Chicago wurden\nam Dienstag dreuauienv Arbeiter, die\nseit dem 15. Dezember beschäftigungs\nlos waren, wieder eingestellt.\nH. K. Thmv kein (Yemcili\nschcidkli.\nConcord. N, H„ 18, Jan,\nHarry K. Thaw wurde nicht eine\nGefahr für die Allgemeinheit bilden,\nwenn er gegen B rgschofr entlassen\nwird. Dieser Gutacknen wurde von der\nvon Bundcsrichler -brich ernannten\nAerztekommissio abgegeben, die den\nGeisteszustand des cders von Stan\nford Whire untersuche sollte. Es heißt\nin dem Bericht, die mmission sei zu\ndem Ergebniß gekonn en, daß Thaw an\nkeiner Geistesstörung idn, von welcher\ner befallen war. als - White erschoß,\nTer Bericht befind- : sich jetzt in Han\nden des GrrichlSscl i ider und wird\nRichter Aldrich bei ?m noch in dieser\nWoche erwarteten Un eil über das Ge\nsuch ThawS, ihn ge - Bürgschaft frei\nzulassen, als Grün e dienen\n18" Wundervolle Husten-Medizin\nDr, King\'r New I Scovery ist ülw.-\nall dekanni als e:n Mittel, welche\nsicher Husten oder L \' liung kurirt, D,\nP Lawson von Ed , Tenn,, schreibt:\n„Tr, King s New 7 Scovery ist die\nwundervollste Med n kür Husten, Er\nkältungen, den Ha. and die Lungen,\ndie ich je in mein-- Geschäft verkautt\nhabe," Ties ist n weil Tr, King s\nNew TiScovery d jährlichsten Er\nkältungen und Hl \'owie Lungen\nkrankhellen lehr -l kuiin Tie\n> seilten eine Flaicb.- leder Zeit im\n! Haute haben iur Mitglieder der\nFamilie, 50c und Bei allen Apo\nj tüekern oder ver . -H. E Bucklen 5.\nl Co„ Philadelphia- c Sl. Louis, Anz\nZn clstcr Slliiidc.\nSeciisundneun.zict \'Nanu von der\ngestrandeten cLobegutd ,etzt in\nSicherheit.\nParmouih. N, S,. 15, Jan.\nNachdem bklnade jede Hoffnung aus\ngegeben war. wurden Passagiere und\nBesatzung de DampserS „Cobeguid"\nvon ver Royal Mail Sieamship Co,\nMittwoch Abend von dem an einem\nFelsenriff zerschellte Schiss gerettet und\nbefinden sich jetzt hier in ausopfernder\nPslege, Die drahtlosen Hülseruse, welche\nda verunglückte Schiss vor 8> Stun\nden abgesandt hatte, Halle erst in elf\nter Stunde Erfolg, als der Capitan\nschon jede Hoffnung ausgegeben haue,\ndaß Rettungsboote an den aus dem\nTriniiy-FelS, sechs Meilen von Port\nManlond entfernt, an den vom Sturm\nin Trümmer gerissenen Damprer her\nankommen würden. Die Rettung wird\nin den Annalen der Schifffahrt als\neine der kühnsten verzeichnet lem, die >e\nan der allaniischen Küste vorgenommen\nwurden.\nDie Cobcq iid wurde bereit von der\nhohen -ec in Stücke gerissen, denn die\nhaushohen Wellen waren ununterbro\nchen über das Deck gegangen, seitdem\ndas Schiff Dienstag vor Tagesanbruch\naus den Rifs gerathen war. AUeiilhal\nben war da- Wasser in der Nähe mit\nTrümmer des Dampser bedeckt, al\ndie Rettungsboote anlegte. Die Küsten\ndampser West Port und John L, Cann\nwaren die ersten Schiffe, denen eS ge\nlang. Rettungsboote herabzulassen, und\nihnen zolgten bald die Boote de\nRegierungsdampserS LanSdowne und\nder Rappahaiinock, AIS die ReitungS\narbeit >m Gange war, glätteten sich\ndie Wogen, und so konnte die Rettung\nohne weiteres Mißgeschick vollzog,\nwerden,\nCapilän McKinnon von der West\nPort fand die Codequid am Mittwoch\nNachmittag um 4 ,2(! an der südöstlichen\nFelskanie von Tciuiiy, Tie See ging\nhoch und der Sturm raste. In drei\nLadungen brachte McKinnon 72 Perso\nnen. darunter sämnitlichr Passagiere,\nden Zahlmeister, mehrere Deckosstzlere\nund eine Theil der Besatzung >n\nSicherheit, Die West Port stand bei\ndem verunglückten Dampser bi 6:11\nAbcidS. Um diese Zeit erschien die\nJohn L. Cann. welche 24 Personen\naufnahm, wahrend die West Port nach\nAarinoulh fuhr.\ndttt Gerichlttt.\nEin schwarzer Buiniiiler Namens A,\nRiplcy, der immer tvieder aus der Po\nlizeistalivn m Nuchiguartier bestelle,\nwurde von Richter Brliidtey aus dreißig\nTage in der Pastille schön versorgt,\nAlfred Cvonty der von T. Svlberq,\nI-I8 Berllnstraße, einen Sweater\nstöhle, wulde au, zwanzig Tage eben\ndort versorgt, und genau so auch Da\nPara, jener hatbverluckter Kerl, der in\nHauser eintritt und sich dort zu Hause\nmachen will; zuerst that er dies im\nHause von Jodn M, Holle, jetzt aber\nist er i der Pastille daheim,\nM, I, Gleaso von Waukon. Ja,,\nwar mtt einer Rolle Geld nach La\nCrosse gekommen und trank daraus IoS\nbis dieselbe aus eine Bagatelle zusam\nmengeschmolzen war. Jetzt wird er den\nRest dem Poliznrichier zahlen müssen,\nL, L, Brown, ein Expreßagent, ver\nklagte Linker Bros, aus H2tt<)tt Scha\ndenersatz, weil er sich in deren Geschäst\nvon einem Chiropodisten die Hühner\naugen schneiden ließ, was dieser so\npsuscherhasi gethan haben soll daß\nBlulvergtsiung daraus entstand, Ter\nFall kommt nächste Woche im KreiS\ngericht zur Verhandlung,\nIn dem Falle von Mary Haugen\nvS A, Wingstad konnte die Jury sich\nnicht einigen.\nkohle vom Lüdpol.\nIm Londoner Nalurhistorischen\nMuseum ist nun eine der inlereffante\nste Reliquien der Scottschen Erpcdi\nlion ausgestellt: die Kohlen, die\nEvans und Scott unter dein 85. Grad\nsüdlicher Breite entdeckten, aus dem\nEisplalcciu. bas sich v\'n King-\nEdward Land zum Pole hin erste- \'I.\nTie Kohle wurde inmitten eines klei\nnen Haufen von Fossilien gesunde\nund von den Polar? ihrer durch die\nSchneellürn e mitgeführt, bis ler Tod\nder Reise ein Ende machte. Die\nKohle ist von geringer O \'!ttä!, aber\nsie erzähl! im Lichte der Wissenschaft\neine wunderv.lle Geschichte von den\nragenden Forsten und Wäldern, die\neinst in si e Regionen rauschten, die\nheule unwirtliche Eis- und Schnee\nwüsten allem Leben Feind sind,\nDaß sich Kohlenl - irr im Südpolar\ngebiet bet,den, ist schon längere Zen\nbekamst. Sh kielon trickste von fe\nster Expedition, die ihn bis in d\nNähe des Pol- br-chie, Kohlentun\nmit nach Engl nt. u c sie et er i lls\nMukrum ausgestellt wurden und noch\naufbewahrt werden ,\'lu \' Perileinr\nrangen von Pü\'nzen F -rrenkr u!\nl -- H-: Sb\'t ?: " \' °na° - \'\'\nN\'tten, daß inst in >o öden\na:\' rktischen t--is- a-\' d - "k-p--\nqi\'oen in der Ilr>eii o - "der- !\'\'\nm -\'!> 1-e Brrhöltuistr c-e!rr-*chl h stco\nmu\'"en.\ni Entered in the Poet Offk* in )\n< iACrueae, Wie., et ec)nd cU*s rte*. t\nPlllklUl-AllMlllij.\nIr\'iushiu, die südlichste der japani\nscheu Ilelit, wurde Dienstag\nbetroffen.\nTokio, 14. Jan,\nEine Fuiikendepesche vom japanischen\nKreuzer „Tone" meldete am Dienstag\nAbend nach Tokio, daß der Kreuzer\nund mehrere Tmpedojäger in Kago\nshima eingetroffen sind. Nach der R-el\ndung dauern die Eruptionen des Sa\nkurajima och immer mir großer Ge\nwalt an: glühende Asche fällt aus die\nKriegSschlffe: die Einwohner habe die\nStadt Kagoihima verlasse, doch die\nTruppen verharren aus ihrem Posten,\nAndere Berge aus der Insel Kiushi,\ndie eine lebhafte vulkanische Thaugkeii\nan den Tag lege, sind der Aso, Kur\nshi-oa, Takakkuma und Onsen. Die\ngrößte Bestürzung herrscht aus der qe\nsammien Insel, Die Hauptstadt Miya\nzaki der gleichnamigen Provinz, sowie\ndie Fcsiung Kumaiuoio. 85 Meilen oft\nlich von Nagasaki, sind m großer Gc\n! fahr verschüttet zu werden.\nNach dem amtlichen Bericht sind bei\nder Eruption des Sakurajima 100\nPerftnen umgekommen, doch geben et\nliche Zeiluogt die Zahl der Opfer aus\nBtto an Bon der Heftigkeit des Ans\nbruch de Sakurasima kan man sich\neinen Begriff daraus machen, daß der\nAschenregen am Dienstag sogar in dem\nüber \'.<) Meilen entfernten Nagasaki\nwahrgenommen wurde,\nTokio. 15, Ja,\nDer Mittwoch Abend in Tokio ver\nöffentlichte amtliche Bericht über die\nErbdcben - Katastrophe in Süd-Japan\nenihält die folgenden wesentliche Thal\nfachen:\nDie kleine Insel Sakura ist mil einer\nSchicht Lava und Asche bedeckt, die stel\nlenweise mehrere Fuß hoch ist, linier\ndieser Schicht liegen zahllose Leichname,\nderen Zahl jedoch kaum jemals genau\nfestgestellt werde kann. Bei der Ab\nschätzung der Zahl der Opfer müssen\nzahlreiche Personen eingeschlossen wer\nden. die bei dem Versuch, von Sakura\nnach der Stadt Kagoschima zu schwim\nmen, ertrunken find.\nKagoshima, noch vor wenigen Tagen\neine prvsperirende Stadt mit 60,000\nE\'nwohnern, ist\nSelbst steinerne Gebäude find unter\ndem Gewicht der Asche zusammengebro\nchen.\nDie Eruptionen des Sakura-Jima\nlasten gradeweise nach. Heftige Regen\ngüsse klären die Alinvsphärr und machen\ndamit die ReuungSarbeiten leichter.\nDie ganze Insel Kiushiu, die einen\nFläck eninhall von 3000 Quadiaimettcn\nHai, ist mit vulkanischer Asche beleckt.\nHuiMrstikil witder tlsolqrkich.\nLondon, I,!. Jan.\nSstlvia Pankhurst, die belaiinle\nKanipsjuffrageiie, wurde am Samstag\nwieder einmal nach einem Huiigerstrci!\nans dem Holloway-Gesängiuß in Lon\ndon kittlassen, Fräulein Pankhur\nwar ain 8. Januar aus der Ostseile von\nLondon verhauet worden.\nW-O ~<*> war ein sonderbarer\nAnblick," ichreibi Herr Aug. A John\nson von Lhons. Nebr,. „all\' die Tokior-\nund Apotheker-Medizinen zu sehen, die\nmein Bruder sich angesammelt halte,\nals ich ihn vor zwei Jahren in Wyoming\nbesuchte Er war schon längere Zeit\nkrank gewesen, und nichts schien ihm zu\nhelfen Ich erzählte ihm von dem\nAlvenkränter und daß ich glaube, eS\nwürde ihn gesund machen. Er begann,\nes zu gebrauchen, und warf die anderen\nMedizinen, die sich bei ihm angehäuft\nhauen, fort. Er gebrauchte sechs Fla\nschen der Alpenkräuier und war ein\ngesunder Mann Ich könnte ein Blatt\n„ach dem andere fülle mtt Berichten\niiver Heilungen, die durch Alpenkrouler\nbewirkt wurden,"\nUngleich anderen Medizinen wird\nForni\'s Alpenkräuter nicht in Apotheken\nverkauii, Spezialagenicn liesern es\ndem Publikum direkt, Falls lem\nAgent in Ihrer Nachbarschaft ist. so\nschreiben Sie an. Dr, Peter Fahrneys\nSons Co. 1!i 25 So. Hoyne Ave.\nChicago Jll -Anz.\nPlant eine Reise nach dem\nsonnigen Lüden.\nWarum unter der Kälte leiden, wenn\nsolche Winler-ResoriS wie Florida,\nCuba und die Gols-Küste in Jhiem be\nauemen Bereich liegen? Arrangiren\nSie eine Reise nach dem Süden: wir\nwerden Ihnen Raten quoliren. Routen\nvorschlagen und eine passende Tour\nprepariren Für volle Einzelheiten\nsprecht bei Tickel-Agenien der Chicago\nund Nocihwestern-Bahn vor. Anz,\nFrech.\nGast: .Kellner, wie kämen Sie\neinem Gast so etwas bringen! Ter\nFisch riecht ja!"\nKellner: „Di-s geht mich nichts an.\ndas müßen Sie den, Wirt jagen!"\n> GTI: „So ruken Sie ihn!"\nGast: „Wie können Tie, Herr\nf Wirt, dieken verdorbenen Fisch einem\ni Gail vorsetzen lasst?"\nj Wi:l: ..Ja. was soll ick, denn da\nj mi! machen? Soll ich ihn vielleicht\nj selber esse::?"\nOie „Norvstern" Zeitun\ngen Kaden di, Geschirre\nvon La Lroffe nicht ,n\n\'nitschreiben sondern mir\nmachen Helsen.\nNummer I l.\nFür Zivilistclisl.\nt?räsldet Ivilson -roh! mi! V-r\ntlrung des sFostetats. falls\n„weiter" ftleiftt.\nWashington. D, C,. 15. Jan,\nPräsident Wilson erklärte am Mitt\nwoch in unzweideutiger Weise, daß er\ndie jetzt dem Haus voi liegenden Post\ncialsvortage mir seinem Beio belegen\nwerde, falls nicht der „Neuer" einserar\nwird, welcher Hitssposimeister vom Ir\nvildiknjt auSnimmi, Ter Präsident r\nentschlossen die nach Angabe der Zivit--\ndlenst-Anhänger im E ongreh eiiigeleilelr\nBeiveguiig zum Hatten zu bringen,\nwelche ange lich daraus abzielt, den\nPosldienst von Neuem zu einem Feld\npotillicher Beilkriiwirlhschasl zu inachen.\nDer dein Posteiai angehängte „Rei\nter" würde dem Geiieralpostmetsier das\nRecht geben, die Ernennungen samintli\ncher Hilsspostmeisler rückgängig zu ma\nchen und ihre „Nachfolger nach eigenen\nErmesse, ohne Rücksicht aus die Zivtt\ndleiistordnulig zu beslliiiinen,"\nGeneralpoiinieister Buetewn haue\nkürzlich in einem Schreiben an Rcpcä\nslilianl Mann. de Bolsitzende des\nPosteomiie im HauS. seiner Opposition\ngegen diese Klausel Ausdruck gegeben,\nohne daß jedoch der „Reiter" entfernt\nworden wäre.\nCikrhiindlrr bestraft.\nNew Park lg, Jan,\nDie Eierhandlung von James Barr\nTyk Co. in New Bork wurde am Sams\ntag zu einer Siraie vo KSVO verur\nlheitt, nachdem sie sich schuldig bekannt\nhaue, Kühljpeichereier als frische ver\nkauft zu haben.\nDes?MS Todte.\nFröhlich Im Aller von 78 lah\nreu starb eine Pionier-Bürgerssran. die\nWittwe von Earl Fröhlich, der bis vor\ndreißig Jaorcn Bormann in der „Nord\nstern\'-Setzerei war. Frau Louise Fröh\nlich, in einem hiesigen Spital an der\nWassersucht. Sie war eine allgemein\nbeliebte und sehr wohlthätige Frau und\nhinterlaßt hier keine Verwand. Da\nBegräbniß war am Donnerstag Nach\nmittag vom Trauerhauie. 15 Süd 4.\nTzraße, au nach dem Oak Grove.\nSiebrecht —ln ihrem Heim. >4.\nund Jvhnson-Straße. erlag einem chro\nnischen Nierenleiden Frau Adolph Sir\nbrecht, geb. Emma Techmer, im Alter\nvo 52 Jahren, Um sie trauern der\nGatte, eine Tochter, Fit. Emma, und\ndrei Brüder. Frank, Pnil und Fritz\nTechmer, Die Beerdigung war gestellt\nNachmittag vom Traucrh.iusc und von\nder druisch-lulherischen Kirche aus,\nbaulich Den Folgen eines Schlag\nani.iUkS erlag in ihrem Heim, 1518 La\nCrosse Straße, im Alter von über 7!\nJahren Frau Clara G iuisch, eine lang\njährige Bürgerssrau unserer Stadt.\nSie wurde >n Dobern. Böhmen, Oester\nreich, geboren. Um sie Iranern die sol\ngenden Kinder: William I, Frank\nI, und LouiS L, Gauiich. Frl. Anna\nGauiich, Frau August Anderson und\nFrl, Emma Gautsch, Die Beerdigung\nwar gestern Morgen vom Trauerhause\nund um 9 Uhr von der St, JojepdS-\nKaihedralr aus.\nFrederitk Frau Alberllne Fischer-\nFrevelick starb im Alter vo 7! Jahren\nim Heim ihrer Tochter. Frau Wm. A\nHoward, 531 Nord I I Straße Das\nBegräbniß war am Montag Nachmit\ntag, und Pastor Andreas amtirie.\nDen Folgen einer Operation erlag\nin einem hiesigen Spital Peter\nBregson von Virginia, Minn, 5t\nJahre alt,\nHrn. und Frau Andr, Smics\nzek. 889 AdamS-Slraße, wurde ihr\nkleiner Sohn durch den Tod entrissen\nEr wurde am Dienstag Morgen be\ngraben\nStacheln Ephraim Siaihrm, der\nolle Wachter im Oak Grobe Friedhofe,\nist nicht mehr. Er starb an Hause sei.\nner Tochter, 70! Staie-Straße, an den\nHelgen eines bösen Falles dre Stiege\nhinab, in, Alter von 8! Jahren, Er\nHane sechzig Jahre hier gewohnt, und\nAlle werden ihm ein ehrendes Andenken\nbewahren. Da Begräbniß war ge\nstern\nIm luth, Spital starb Glen\nMalch, 17 Jahre alt und von Gates\nv.lle oben, der wie berichtet aut der\nHasenjagd von seinem Bruder in den\nNucke geschossen worden war. Die\nReiche des Unglücklichen wurde nach\nGaleSwlle gesandt,\nEINS - Tr, O.L Ellis, ein Augen-\nund Ohren- Spezialist, 5" lah e alt,\nstarb in seinem Heim 1125 Badger\nStraße an einer Compilkanon von\nKrankheiten, Er wird in Grand\nNapidS, WIS,, bestattet.\nIm blühenden Aller von Bi Jahren\nstarb im Ellernhause in Eolesbnrg.\nJa,. Edw W. Rokl\'iig, Sohn\nder hier wohlbekannten P nwis-Fami\nlie, an Typhussieber Ter ,ungeMann\nmvar im nördlichen Minnn i : bei einer\njLumbersirma beschäftigt, und über die\n! Festlage zu Besuch bei iein-n Eltern,\nals er plötzlich schwer krank wurde.\n! Ihn überleben die Eltern, sonne vier\ni Schwestern und drei Brüder Frau\n: John P, Salzer. Frau Paul TANARUS, Schulze\nund Frau O W Munster von hier.\nI und Fri, Flvrence Rohltingvon Colcs\nipurq; Wellinglon stkohlsing Seattle\nAasb, Reuden und Mtttoii Roblsing\njvon EoleSburg.', 'publisher': 'C. Halbwachs', 'language': ['English', 'German'], 'alt_title': ['La Crosse nord stern', 'Nordstern'], 'lccn': 'sn86086186', 'country': 'Wisconsin', 'batch': 'whi_clabbert_ver01', 'title_normal': 'nord stern.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn86086186/1914-01-16/ed-1/seq-1.json', 'place': ['Wisconsin--La Crosse--La Crosse'], 'page': ''}, {'sequence': 1, 'county': ['Vilas'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85040613/1914-01-21/ed-1/seq-1/', 'subject': ['Eagle River (Wis.)--Newspapers.', 'Wisconsin--Eagle River.--fast--(OCoLC)fst01234139'], 'city': ['Eagle River'], 'date': '19140121', 'title': 'Vilas County news. [volume]', 'end_year': 1927, 'note': ['Available on microfilm from The State Historical Society of Wisconsin.', 'Editors: C.F. Colman, Aug. 1896-Nov. 1897.--D.E. Riordan, Nov. 1897-May 1901.--O.E. Bowen, May 1901-Jan. 1905.--F.A. Murphy, Jan. 1905-Jan. 1906.--G.E. Fuller, Feb. 1906-<May 1907>.--E.A. Stewart, Nov. 1925-Oct. 1927.--C.F. Fredrichs, Oct.-June 1927.', 'Publisher varies.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Eagle River, Vilas County, Wis.', 'start_year': 1896, 'edition_label': '', 'publisher': 'News Printing', 'language': ['English'], 'alt_title': [], 'lccn': 'sn85040613', 'country': 'Wisconsin', 'ocr_eng': 'Twenty -first year.\nw IH JAPAN’S\nlUMO HORROR\nand Lava Cover Isle and\nIts Bodies.\nWHOLE CITIES ARE BURIED\nHundreds Leap Into Ocean and Are\nBrowned While Trying to Escape\nFrom Fiery Rock—Tornadoes\nAlarm Tokio.\niokio. Jan. 16. —Official reporta of\n-in# volcano-earthquake disaster in\njouthern Japan brought out the follow\ning features:\nThe small island of Sakura is cov\nered with lava and ashes, in places\njeieral feet deep. Beneath this man\ntle lie the bodies of many persons\nwhose number probably will never be\nknown. Estimates of the dead must\ninclude a large number of refugees,\nwho were drowned while trying to\nswim from Sakura to the City of Kago\nihima Kagoshima, a town of 60,000,\nis in ruins Stone buildings collapsed\nunder the hot ash. Simultaneous with\nthe eruption of the volcano of Sakura-\nJima there occurred an eruption of\nYarigataka, which threw a cloud of\nashes over Matsumoto.\nThe eruption of Sakura-Jima is grad\nually subsiding A heavy rainfall is\nclearing the atmosphere and thus as\nlisting the work of relief. The entire\nWand of Klushin, 3,000 square miler,\na covered with voncanic ash in vary\ning depths.\nScientists declare the worst is over,\nadding that the eruption of the vol\ncanoes served as a vent for acute sub\nterranean activity and probably saved\nthe country from more disastrous\nearthquakes. At Kumamoto, north of\nKagoshima, are more than 1,000 refu\ngees. The whole tragedy has not yet\nbwn told.\nThe city of Tokio and surrounding\nterritory, although 500 miles from the\nroictuiic disturbances, were swept in\nthe last 24 hours by miniature torna\ndoea. filling the city with clouds of\ndust and sand and creating the belief\nthat the capital was feeling the effects\nof the distant eruptions. A feeling of\nrelief prevailed at night when the\nwind died down.\nSakura. where the greatest loss of\nlife undoubtedly occurred, cannot be\nvisited, because the eruptions of Sa\nkura-Jima continues. Troops and war\n•hlps in that region and a search\nof the island will be made at the first\nopportunity.\nKagoshima, the nearest big city to\nSakura, while it suffered great dam\nage from the earthquakes, does not\nappear to have experienced severe\nof life.\nAll Americans who were in the\nstricken region are safe. Word to this\nsleet was received from Carl F. Relch\n»an, American consul at Nagasaki,\nwveral American missionaries were\nstationed at Kagoshima.\nMayazaki, Japan. Jan. 16. —Refugees\nfrom the stricken island of Sakura,\nCttlf of Kagoshima, arrived here. They\n*ported that the inhabitants of 300\nbouses, composing the Village of Seto\nthat island, lost the way in trying\n!o reach the seashore and probably all\nperished together. Hundreds were\ndrowned in trying to swim across the\n\'\'Ulf of Kagoshima. The refugees add\n’d that the volcano of Sakura-Jima\ncompletely changed its form, several\nnew craters having opened.\n\'t ashiugton, Jan. 16-. —President Wil\n,ou cabled the emperor of Japan the\nsorrow and sympathy of the American\nPeople over the volcano disaster. Em\nperor Yoshihito cabled Japan\'s “sin\ncurest thanks’’ in return.\nlake pollution perils.\nOfficial Says No City Gets Absolutely\nPure Water.\nWashington, Jan. 16.—Pollution of\nwaters of the great lakes and the\n■vers and streams on the Canadian\nboundary, along which live more than\nJ "-\'O.ooo people, was revealed in a\n“port to the international joint com\nmission by Dr. Allan J. McLaughlin\n0 the public health service. The re\n*/• showed extensive pollution in\n‘ e waters adjacent to nfany of the\n& rge citi s and declared that owing\n■■ present position ■of intakes\n-ere -, s not a S j U gi e c j ty on sh e lakes\nt ic h can be said to possess water\n■ a s safe without treatment. The\nDoctor McLaughlin said,\ne oulq be sought by the best sanitari\n<!ls in the world.\nRioting feared at bank.\nn «itution in Switzerland Fails for\n$1,400,000.\nl *’carno, Switzerland. Jan. 14.—The\n‘Cdko Ticinese has failed with liabiii\nestimated at $1,400,000. The bank\n. mor e depositors than that of any\n‘ er canton, and the authorities have\nied to the government for reln\n# * ernents of police, as disorders are\nThe Vilas County News\nI J\ni I * jRSg ***** >\nA vH /\n&XJ I t\nBiTmi i nhf r.BV.w.V Jh >■\nProf. Hiram Bingham of Yale, di\nrector of an exploring expedition un\nder the auspices of the National Geo\ngraphic society and Yale university, in\na report just made public tells of the\ndiscovery by his party of the ruins of\nthe walled city of Machu Picchu in the\nPeruvian Andes. The city, he says, is\nperched upon a mountain top in a\nmost inaccessible corner of the Uru\nbama river country and is flanked on\nall sides by precipitous slopes- The\nparty was led to the place by an In\ndian. The ruins are said to be the\nmost important yet discovered in\nSouth America.\nPASSENGERS ARE TAKEN\nOFF STRANDED LINER\nNearly 100 Persons Carried to Safety\nFrom Steamer Cobequid Despite\nCold and High Seas.\nYarmouth, N. S., Jan. 16. —Snatched\nfrom what seemed almost certain\ndeath 96 passengers and crew of the\nroyal mall packet Cobequid are snug\nin Yarmouth harbor. Eleven of the\ncrew and • captain remained on the\nship.\nAll, however, suffered greatly from\nthe intense cold. Most of them were\nfrostbitten and every one showed the\neffects of exposure to zero weather.\nWhen the rescue ships reached docks\nhere many of their passengers had to\nbe carried to the hotel. For 36 hours\nafter the vessel struck seas broke\nover it continuously and it was coated\nwith ice.\nBenumbed with cold and dazed by\ntheir long ordeal, few of the rescued\ncould give an intelligent account of\ntheir experiences.\nOne of the officers of the Cobequid\nsaid:\n“The ship struck at six o’clock\nTuesday morning while we were try\ning to locate the lightship off the\nLurcher shoal. Tn the blinding snow\nstorm which prevailed we overshot\nthe mark and brought up on the south\neast end of Trinity ledge.”\n“Immediately after the ship struck\nwe had sent out an ‘S. O. S., which\nwas picked up by the Cape Sable wire\nless station. Later, with the engine\nroom flooded, our operators had to de\npend entirely on the auxiliary storage\nbatteries. Then the gale carried away\nthe deck connections of the aerials.\nA temporary connection, which proved\nunreliable, was fixed up, but an hour\nlater this, too. was wrecked.\n“Early in day the Canadian North\nern liner Royal St. George, outward\nbound from St. John, picked up our\nfeeble cry and the rescue followed."\nFARMER BESIEGED BY POSSE.\nEdward Beardsley. Wife and Nine Chil\ndren Barricaded in House.\nMayville, N. Y., Jan. 16.—Edward\nBeardsley, the Summerdale farmer\nwho shot and wounded John G. W.\nPutnam, overseer of the poor of Chau\ntauqua county, is still barricaded with\nhis wife and nine children in the little\nfarmhouse a mile outside the village\nwhere the shooting occurred and a\nposse of 20 armed men is on guard.\nIn the sheriff’s force are half a dozen\ncrack shots who are under instructions\nto fire at Beardsley whenever he\nshows himself. Fear of wounding Mrs.\nBeardsley or the children was the rea\nson for confining the shooting to the\nsharpshooters.\nWILLIAMS NAMED TO SENATE.\nPresident Nominates Him Comptroller\no* the Currency.\nWashington, Jan. 15. —President\nWilson sent the name of John Skel\nton Williams, assistant secretary to\nthe treasury, to the senate as comp\ntroller of the currency.\nThe nomination was determined\nupon at a conference between Presi\ndent Wilson and Secretary of the\nTreasury McAdoo. It is expected that\na fight will be made upon the nomina\ntion in the senate as Mr. Williams\nhas many opponents among the south\nern senators.\nPROF. HIRAM BINGHAM\nEAGLE RIVER, VILAS CO.. WISCONSIN, WEDNESDAY, JANUARY 21, 1914.\nCAVALRY CHARGES\nCOLORADO MINERS\nRiot Follows Deporting of\n‘•Mother” Jones.\nAGED WOMAN CHEERS MOB\nStrikers Hurl Missiles When Troopers\nEscort Aged Woman to Trinidad\nJail—U. S. Strike Probe Asked\nby Ashurst.\nTrinidad, Colo., Jan. 14. Two\ntroops of cavalry with drawn sabers\ncharged 1,000 striking miners here on\nMonday and several men were serious\nly injured in the battle that followed.\nThe mounted troopers were escorting\nan automobile in which “Mother” Mary\nJones, the strike agitator, was being\nrushed to jail.\nAs the mob barred the way of the\ntroopers, the aged woman, who has\nbeen active in the field wherever trou\nble brewed in every strike for years,\nstood up in the machine and shouted\nencouragement to “her boys.”\nStonps and clubs were hurled by the\nstrikers and several of the militia\ntroopers were bowled from the saddle.\nNone was seriously hurt. The melee\nlasted for fully a quarter of an hour\nbefore the mob was dispersed.\n“Mother” Jones was deported from\nthe southern Colorado coal fields Janu\nary 4by the militia. She returned to\nTrinidad from Denver.\n“Mother” Jones left the train at the\noutskirts of Trinidad and later ap\npeared at a local hotel. She was ar\nrested by a detail of state troops, hur\nried out of the hotel, placed in an\nautomobile and whirled through the\nstreets with the cavalry escort gal\nloping at full speed in front and bfr\nhind the machine.\nA block from the jail the strikers\ngathered in full force and the fight\nbegan.\nPreparations were made for the trial\nby court-martial of Robert Obley, a\nprivate in Company F, Second regi\nment, Colorado National Guard, on a\ncharge of killing John German, a\nminer employed by the Colorado Fuel\n& Iron company.\nDenver, Colo., Jan. 14. —Governor\nAmmons Issued a statement in which\nhe assumed full responsibility for the\narrest, of “Mother” Mary Jones by\nmilitary authorities in Trinidad, and\ndeclared she would be held incom\nmunicado in the hospital at Trinidad\nuntil such time as she saw fit to give\nher promise to leave the strike zone\nof the state.\nIndianapolis, Ind., Jan. 14. —John P.\nWhite, president of the United Mine\nWorkers of America, said he had tele\ngraphed protests against the arrest\nof “Mother” Jones to President Wil\nson, Secretary of Labor Wilson and\nGovernor Ammons of Colorado.\nWashington, Jan. 14.—A federal in\nquiry by the senate committee on\neducation and labor into the Calumet\nstrike is proposed in a resolution in\ntroduced by Senator Ashurst of Ari\nzona. The resolution stirred up a\nspirited debate, but no action was\ntaken and the resolution went over.\nSenator Townsend of Michigan op\nposed the resolution on the ground\nthat it would be an impeachment of\nGovernor Ferris of Michigan and the\nstate courts and also would interfere\nwith the present investigation by the\nHoughton county grand jury. Senator\nAshurst denied that be asked for the\nInvestigation for political reasons “If\nit is political expediency,” he declared,\n“to ascertain the truth I am guilty.”\nHe added that he had received about\n4,000 telegrams urging the inquiry.\nHoughton, Mich., Jan. 14.—-Fourteen\nfresh eviction suits, coupled with a\nblizzard and the first break in the\nunion ranks at Ahmeek, which the\nstate troops left, caused Western\nFederation of Miners leaders to shake\ntheir heads dubiously.\nSUBDUE BIG MONTREAL FIRE.\nFiremen Handicapped by Zero Weath\ner, But Save Business Section.\nMontreal. Jan. 15. —Fire which seri\nously threatened the business center\nof Montreal was subdued only after\na stubborn fight. The loss is estimat\ned at $500,000. For a time the historic\nNotre Dame cathedral was threat\nened. Battling in a temperature 25\ndegrees below zero, firemen were not\nonly hampered by the bitter cold but\nby the fact that half a dozen other\nfires broke out almost simultaneously.\nMORGAN’S LEAD FOLLOWED.\nHead of Railroad Quits Bank Post in\nKentucky.\nLouisville. Ky., Jan. 16.—The wide\nspread agitation against Interlocking\ndirectorates induced Milton H. Smith,\npresident of the Louisville & Nashville\nrailway, to resign as a director of the\nNational Bank of Commerce here. This\nreason was given by Mr. Smith at the\nbank\'s annual election, when he an\nnounced he would not serve for an\nother year.\nMRS. HENRY C. STUART\n. ..\n•• ••• ’\nI ■ 1\ni <... -VSsJ\ni - j\'\nT S t/- . >•*\nxlx £ \'\nI\n......y jCf\nMrs. Henry C. Stuart will become\nthe first lady es Virginia on February\n2, when her husband will be inaugu\nrated governor of that state. Before\nher marriage Mrs. Stuart was Miss\nMargaret Carter of the famous Vir\nginia family of Carters.\nOWNERS USED FUNDS\nOF THE SIEGEL BANKS\nBorrowing of $754,000 on Pledge of\nCommon Stock of Store Called\nUnfortunate.\nNew York, Jan. 14. —Henry Melville,\nwho is receiver for the Henry Siegel &\nCo. bank, told the committee on banks\nof the state senate Monday that\n“whenever any of the proprietors felt\nthe need of any loose change to the\namount of a few thousand dollars he\nwent to tbe bank and took what he\nwanted without giving any note or se\ncurity of any kind.”\nSiegel himself, the receiver said,\nborrowed $754,191 without security\nexcept a written agreement pledging\n34,000 shares of the common stock\nof the Siegel Stores corporation\nagainst these loans.\nThe hearing was held up by the\nsenate committee to get testimony for\nuse in revising the state banking\nlaws in relation to the privileges of\nprivate banks. The whole day’s ses\nsion was spent investigating the af\nfairs of tho bankrupt Siegel enter\nprises. Melville said the transactions\nhe described were legal under the\npresent laws, but admitted conditions\nwere “unfortunate.”\nThe Siegel bank, according to the\nreceiver’s testimony, had deposits of\n$2,550,333. distributed among 15,000\ncustomers of the Fourteenth street\nstore in this city. Melville said that\nthis money was loaned also to the two\nSiegel stores in New York and the\none in Boston. The actual assets of\nthe bank, he said, were $14,000 In\ncash, $25,000 in banka and a cash\nbond of SIOO,OOO.\nRAIL SUITS ARE BLOCKED.\nU. S. Jurist Enjoins State o.’ Missouri\nFrom Pushing Suits.\nKansas City, Mo., Jan. 13.—-Judge\nSmith McPherson”in the federal court\nenjoined John T. Barker, attorney gen\neral of Missouri, from proceeding in\nstate courts with suits for $24,000,000\novercharges against Missouri rail\nroads, and took the Missouri railroad\nrate case under further advisement\nfor three weeks.\nJudge McPherson\'s action followed\nan exciting day in court, during which\nAttorney General Barker demanded\nthe judge dismiss the injunctions with\nout further delay. Attorney General\nBarker made a vitriolic attack upon\nJudge McPherson, shouting in the\nmidst of it:\n“You cannot continue to police this\nstate for the railroads.”\nMORE ON COLD DEATH LIST.\nThirteen in All Succumb to Weather\nin and About New York.\nNew York, Jan. 16. —Relief from the\nmost severe cold spell that this city\nhas experienced in 15 years is in sight.\nRising temperatures abated somewhat\nthe suffering in the streets, but during\nthe day the weather was so cold that\nsix persons succumbed to exposure,\nbringing the death list for the city and\nvicinity up to 13 since the frigid wav\narrived\nIPLAN TO DEVELOP\nIMPROVEDHORSES\n. SCHEME FOR STATEWIDE MOVE\nMENT FOR BETTER LIVESTOCK\nWILL BE STARTED.\nBREEDERS TO MEET FEB. 6\nAnnual Session of State Association\nWill Be Marked by Addresses\nBy Many Noted\nMen.\nMadison. —Presentation of a plan\n.or statewide improvement of live\nstock will be one of the most impor\ntant features of the annual meeting\nof the Wisconsin Livestock Breeders’\nassociation here Feb. 5 and 6. G. C.\nHumphrey, chief of the animal hus\nbandry department, Wisconsin col\nlege of agriculture, has worked out ,\na plan which, it is believed, will be\nespecially effective in encouraging\nlive stock production in the newer\nsections and will announce it at this\nconvention.\nCattle, sheep, horse and swine\nbreeding interests will be represented\nin sectional meetings. A. J. Lovejoy,\nI former president International Live\nstock exposition and one of the most\nnoted swine breeders in the middle\nwest, is to explain how he has made\nswine production profitable.\nAbram Renick, general manager,\nAmerican Short Horn Breeders’ as\nsociation and old time breeder of\nshort horns in Kentucky, is to tell\nWisconsin why they should raise\nmore beef.\nA. W. Fox, prominent Waukesha\ni county Guernsey breeder and dairy\nman, and Mr. Webster will discuss\ncleaner market milk and a higher\nprice for producer.\nJ. G. Fuller, in charge of horses\nat Wisconsin college of agriculture\nand secretary of the Wisconsin Horse\nBreeders’ association, will speak of\nhorse breeding in Wisconsin.\nState associations holding meet\nings at this time are: Western\nGuernsey Breeders, Wisconsin Hol\nstein, Jersey, Ayrshire, Short Horn,\nAberdeen Angus and Red Polled\nBreeders; Wisconsin Horse Breed\ners, Wisconsin Sheep Breeders, Wis\nconsin Poland China, Bershire, Du\nroc Jersey and Chester White Breed\n| ers.\nMETHODS AROUSE HOSTILITY\n! Employment of Woman Detective by\nVice Commission Meets with\nProtest.\nRhinelander. Testimony before\nthe vice commission tended to show\nthat a hotel keeper had laid himself\nliable to prosecution. A woman de\ntective and a man, said to have been\nemployed by the commission, tried to\nput the ban on one of the hotels. It\nis understood that the affected pro\nprietor will fight the charge in the\ncourts claiming he knew nothing of\nthe incident on which the charge was\nbased. Senator W. T. Stevens and\nbusiness men here are not in sym- .<\npathy with the system of research\nused by the commission, saying that\nthe work of the female detective on\nthe streets was not in accordance\nwith a clean investigation.\nRAILROADS MUST PAY MORE\nTaxes on Roads Are $860,161 Over\nLast Year’s Schedule—As\nsessment Increased.\nMadison.—Railroad corporations\nhaving properties in Wisconsin are\ncalled upon to pay $860,161.25 more\ntaxes for 1914 than for 1913, accord\ning to final assessment made by the\nstate tax commission. The final val\nuation fixed by the commission for\nthe present assessment is $340,242,-\n000, which is an increase over the\nvaluationjif 1912 of $13,989,000 and\nthe resulting tax is $4,720,529.30, as\ncompared with $3,860,368.07 in 1913,\nConvict Uses Want Ad.\nMadison. —A prisoner at Waupun,\nwho asked that his name be with-\n■ held, is trying the classified column in\n• an effort to get himself a place when\n; he leaves the prison. He declares\n• that his parole from a sentence im\nposed for obtaining money under false\n; pretenses depends upon his ability to\nget a job before he leaves the prison.\nFire Loss Is $20,000.\nMadison. —Fire in the Wisconsin\n1 building at State, Mifflin and Carroll\nI streets, caused a loss of about $20,-\n! 000.\nBrooding Causes Death.\n’ La Crosse.—Brooding over the death\nI of his wife caused the death of Geo.\nIStadick, oldest tailor in La Crosse,\nwho came here in 1857\nNUMBER 29\nBADGER NEWS\nBRIEFLY TOLD\nRacine. Mrs. George Picket of\nBurlington. probably the oldest\nwoman in Racine county, has just cel\nebrated her ninety-fifth birthday.\nEau Claire. —St.- John\'s German Lu\ntheran congregation will erect a $lO,-\n000 parochial school building and as\nsembly hall.\nFond du Lac. Bishop William\nQuayle of the Methodist church\nwill come to this city for the dedica\ntion of the new Division street church\non June 7.\nNew London. William Wedelle\nof the town of Seymour is the\nfirst man to whom an eugenic mar\nriage license has been granted la\nOutagamie county.\nRacine. —Hans Lobben, an expert\nmachinist, demented, jumped from\nthe roof of a two-story building\nin an effort to commit suicide, but es\ncaped without Injury and wasn\'t even\nstunned.\nMerrill. —Rev. John P. Owen hae\narrived in this city to begin hi»\nnew duties at St. Francis Xavfer\nchurch, to succeed Rev. Henry Le\nGouillou, who has gone to Stanford.\nBarron county.\nKenosha. —Pietro Pascucci, forty\neight years of age, died at the\nKenosha hospital as a result of in\njuries received when struck by a tim\nber in the plant of the Simmons Man\nufacturing company.\nMadison.—State Treasurer Henry\nJohnson and Secretary of State\nDonald returned from Superior, where\nthey had been to superintend the sale\nof some 1,800 acres of land belonging\nto the forest reserve". There were but\nfew bidders. Sales only yielded $424.\nMadison.—Twenty-four children nar\nrowly escaped drowning when a\nheavy wind carried the ice on which\nthey were skating out into the middle\nof Monona lake. The waves broke the\ncake of ice in midlake, leaving 20 chil\ndren on one part and four on the other\nThe children\'s cries were finally heard\nby residents on the lake shore, who\nput out in rowboats and rescued them.\nMadison. —Simple services were\nheld at the funeral of John G.\nSpooner, wbo fired a bullet into his\nhead after he had shot and killed Miss\nEmily McConnell, a school teacher.\nRev. George E. Hunt of Christ Presby\nterian church offered a short prayer\nand read a scripture lesson and then\nthe remains were taken to Forest Hill,\nfollowed only by the immediate rela\ntives and a few Intimate friends. Bur\nial was in the Spooner family lot.\nLa Crosse.—William Brown, foun\ndryman employed by a contractor\nat the Heileman brewery plant, has a\nneck that stood a severe test. John\nZahn, a fellow worker, slipped off a\nscaffolding and fell 30 feet, landing\nwith his heels on Brown\'s neck. Zahn\nbroke one leg from the force when he\nstruck Brown\'s neck, and also lias a\nsprained back and other injuries\nBrown was unhurt and after picking up\nZahn and turning him over to the doc\ntors went on with his work.\nKenosha. —John Vtxior, a Russian,\narrested on a charge of passing\ncounterfeit coin, is said to have\nmade a confession to federal officials\nand the Kenosha police, after Chief of\nPolice O’Hare had found at his home a\ncounterfeiting kit. The police say he\nclaimed that he had made only a small\nnumber of coins. He came here from\nChicago and it is thought he may be\none of the leaders of the gang which\nhas been putting counterfeit silver\ndollars in circulation in nor\'h shore\ntowns.\nWausau. —Ralph Clark and Ralph\nSchultz, both nineteen years old\nand residents of Gilmantown, Buffalo\ncounty, were arrested here by Sheriff\nHerman J. Abrahams, charged with\nthe murder of Ole Johnson Skjorum,\nan aged recluse, on December 28. The\nboys were arrested at the home of rel\natives in this cijry and taken to the\npolice station, where they were ques\ntioned by Chief of Police Thomas Ma\nlone of Wausau, District Attorney 3.\nG. Gilman and Sheriff C. M. Claflin of\nBuffalo county, who later claimed the\nboys had confessed to the attack, at\ntempted robbery and murder of Skjor\num.\nChippewa Falls.—Dora, six years\nold, and Sophia, one year old,\nwere cremated in the farm house of\ntheir parents, Mr. and Mrs. Bench,\nwhich burned during a blizzard which\nraged through this sectiofl. The fire\nwas caused when Frank, Jr., six years\nold, twin brother of the burned sister,\nwent into the kitchen and took tbe\nkerosene lamp off a shelf and dropped\nIt. The lamp exploded, starting a\nblaze that filled the room. The moth\ner was in the basement and smelled\nthe smoke. She came upstairs just in\ntime to drag the boy out of the room\nand saved him. The two little girls\nwere sleeping in a bedroom. The\nfather was summoned from the barn\nand entered the room, but the flames\nforced him to jump through a window\nto save himself. He was badly burned\nand cut by glass. The cottage was\nquickly reduced to ashes and nothing\nI as saved.', 'batch': 'whi_clearwater_ver01', 'title_normal': 'vilas county news.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85040613/1914-01-21/ed-1/seq-1.json', 'place': ['Wisconsin--Vilas--Eagle River'], 'page': ''}, {'sequence': 1, 'county': ['Grant'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85033133/1914-01-21/ed-1/seq-1/', 'subject': ['Lancaster (Wis.)--Newspapers.', 'Wisconsin--Lancaster.--fast--(OCoLC)fst01307511'], 'city': ['Lancaster'], 'date': '19140121', 'title': 'Grant County herald. [volume]', 'end_year': 1968, 'note': ['Description based on: Vol. 2, no. 16 (Sept. 20, 1850) = Whole no. 69.', 'Editor: John Cover <1873-1876>.', 'Publisher varies.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Lancaster, Wis.', 'start_year': 1850, 'edition_label': '', 'publisher': 'J.L. Marsh', 'language': ['English'], 'alt_title': ['Herald'], 'lccn': 'sn85033133', 'country': 'Wisconsin', 'ocr_eng': "ESTABLISHED 1843.\nA BIG CLASS WILL GO\nFMJMUOM\nTo Attend Boys’ Short Course\nat Agricultural College\nCounty Superintendent Brockert ex\npects to Accompany Forty Bright\nYoung Fellows Next Monday.\nCounty Supt. J. C. Brockert is feel\ning pretty good over the result of his\nproposal to the boys of Grant County\nto accompany as many of them as\nwant to go to Madison, next Monday,\nto attend the special short course for\nbovs at the State College of Agri\nculture, and already has a list of\nabout thirty who have fully decided\nupon going. Others have signified\ntheir intention to go if they can, and\nthere are still a number of days to\nelapse during which additional en\ntries can be made, so that in all pro\nbability there will be forty or more in\nattendance from the various parts of\nthe county.\nThose who have so far enrolled as\ncertain are:\nClark Hampton, Lancaster, Scholar\nship.\nRoy Eck, Stitzer.\nBernard Rech, Cassville.\nWill Jerrett, Lancaster.\nRingland Richter, Potosi.\nClyde Govier, Lancaster.\nArchie Morrow, Lancaster.\nL. G. Borah, Mt. Ida.\nVirgil Borah, Mt. Ida.\nArthur Wagner, Stitzer.\nRudolph Hoehn, Lancaster.\nEarl Vespsrman, Lancaster.\nClifford Baker, Lancaster.\nWill ie Wieland, Lancaster.\nLeslie Pritchett, Lancaster.\nReuben Clifton, Lancaster.\nWillie Koeller, Lancaster.\nEarl Henry, Bloomington.\nRay Peterson, Potosi\nSam Welsh, Lancaster.\nJames Byrnes, Platteville.\nLorenzo Riley, Lancaster.\nJoseph Pendleton, Bloomington.\nWillie Hoffman, Sinsinawa.\nArchie Harris, Bagley.\nHarley Newman, Bagley.\nLouis Blum, Glen Haven.\nLloyd Barr, Glen Haven.\nJohn Barr, Glen Haven.\nAn interesting program has been\narranged for the live days beginning\nMonday, Jan. 26 upon corn growing\nand testing, corn judging, a study of\nweeds, study of seeds, grasses, alfalfa\nand clovers, lesson on oats etc., with\nmuch laboratory work and visits to\nthe various buildings and departments\nof the college and state capitoL\nClark Hampton, of Lancaster, who\nparticipated in the Grant county corn\ngrowing contest this year, has been\nawarded a scholarship in the young\npeople’s course at Madison.\nInstallation of Officers of Eva Camp.\nEva Camp, No. 1504, R. N. of\nAmerica, held their regular meeting,\nFriday night, January 16th, which\nalso included the installation of the\nofficers who are to serve during 1914\nPromptly at 6 o’clock there were\nfifty-five seated at the tables to par\ntake of one of the loveliest and best\ncovered dish suppers that these ladies\ncan supply. There were numerous\ncakes and salads and every other kind\nof delicacies to go with these and that\ncoffee was delicious.\nAt 7:45 the Oracle, Addie Austin,\ncalled the camp to order as it was a\nclosed affair, the first one held in\nmany years.\nWhen the business session was over\nthe double doors were opened for those\nto enter who were to help with the\nentertainment after the installation.\nThose who took their several obliga\ntions were Addie Austin, Oracle;\nEdith Mankel, Vice Oracle; Amelia\nDickinson Chap. ; Alice Calloway,\nReceiver ; Mercie Roberts, Recorder;\nLaura Calvert. Marshal; Anna\nTaylor, Asst. Marshal; Jessie Gilder,\nInner Sentinel; Maggie Mayne, Outer\nSentinel ; Georgia Schmidt, Alma\nHyde, Mina Kilby, Alice Walker,\nMrs Bryhan as the Graces; Ethel\nGilder. Pianist and Elva Burrows,\nCaptain; Mary Williams acted as in\nstalling officers and Josephine Hagen\nas Ceremonial Marshal. The presid\ning officer complimented the good turn\nout of the members in her usual smil\ning manner and made all before her\nfeel a very cordial welcome. Her\npersonal efforts are ever exemplified\nby the watchfulness of her duties\ntoward the members and their families.\nThe entertainers were: Flossie\nHendricks. Emily Roberts, Mrs.\nGraves, Miss Fannie Schmidt, Master\nRex Schmidt and Alma Henkel.\nA Member.\nHerlad Job Printing Pleases\nGRANT COUNTY HERALD\nThe Law as to Fire Escapes.\nThe terrible catastrophe at Calumet,\nMich., in which about 80 children\nlost their lives because of inadequate\nmeans of egress when a false alarm\nof fire was given, reminds us that\npeople in Wisconsin may not be\nfamilar with the new state law\nrelative to fire escapes.\nW° are publishing herewith ex\ntracts from that law pretaining to\ntwo and three story buildings, which\nare as follows:\nTWO STORY BUILDING.\nSection 1636—4. 1. Every per\nson or corporation, owning, occupy\ning or controlling any building now\nor hereafter used in whole or in part,\nas a public building, public or\nprivate institution, public ball, place\nof assemblage or place of public resort\nor opera house two stories in height\nin which one hundred and fifty people\nor more are permitted assemble, shall\nbe provided with two good substantial\nstairways one of which shall he locat\ned on the outside of such building and\nbe at least four feet in width, leading\nfrom a level with the second story\nfloor to the ground, providing, that\nsuch building is not fire proof. If\nany such building is fire-proof, it\nshall be provided with such means of\negress as shall be approved by the\ncommissioner of labor or factory in\nspector. Succeeded by Industrial\nCommission.\nTHREE-STORY BUILDING.\nThere shall be provided and kept\nconnected with every hotel, inn,\nschoolhouse or church, and every\noffice building, fiat building, apart\nment building, tenement house and\nlodging house, three or more stories\nhigh, and every factory, workshop or\nother structure, three more stories\nhigh, in which ten or more persons\nmay be employed above the ground\nHoor, at any kind of labor, one or\nmore good and substantial metallic\nor fire-proof stairs or stairway, ready\nfor use at all times, reaching from the\ncornice to the top of the first story\nand attached to the outside thereof\nin such reasonable position and num\nber as to afford reasonably safe and\nconvenient means of egrees and escape\nin case of fire.\nMrs. John Jackering’s Auction.\nThe undersigned, residing 10 miles\nsouthwest of Lancaster and four\nmiles west of Hurricane, will offer\nfor sale at auction, commencing at 10\no’clock a. m , on\nTHURSDAY, FEBRUARY 5. 1914,\nThe following described property:\n14 Head Cattle—Seven gcod milch\ncows, all coming fresh in the spring;\nseven calves comine' one year old.\n7 Head Horses —One bay mare 9\nyears old, weight about 1300: one\nblack mare 5 years old, weight about\n1150; one black gelding, 6 years old,\nweight about 1400; one bay mare\ncoming 4 years old. weight about\n’1200; one old mare, good and sound;\ntwo suckling colts.\n38 Head Hogs—One stock hog; 17\ngood brood sows;2o spring sboats.\nAbout 100 chickens; seven geese.\nFarm Machinery Etc.—One Deering\nmower one Canton corn planter, 2\nDeering walking corn plows, one\nDew; 2 walking stubble plows, one\n15-foot harrow, 1 wood rack, two\nfarm wagons, one bob sled, one double\nbuggy, nearly new ; one single buggy ;\ntwo sets double harness, one nearly\nnew; one single harness; one DeLaval\ncream separator 750 lbs. capacity;\none feed cooker, one steel range near\nly new, and many other articles.\nHay and Grain—soo bushels corn,\nmore or less; 15 tons hay more or\nless, in barn; a quantity of shredded\nfodder.\nLunch at noon\nTerms—All sums of $lO and under,\ncash, on all sums over that amount a\ncredit of one year will be given on\napproved bankable notes bearing 7\nper cent interest.\nMRS. JOHN JACKERING.\nJ. C. Vesperman, Auctioneer.\nGeo. A. Moore, Clerk.\nR. O. Kinney, residing one mile\nwest of the city of Lancaster, on the\nBeetown road, will have an auction\nsale on Wednesday, Feb. 11. Further\nparticulars in this department next\nweek.\nJames Belscamper, residing 2)£\nmiles south of Hurricane, will bave\nan auction sale at his farm on Friday,\nFeb. 20. Particulars in this depart\nment later.\nPLAN A VISIT TO THE SUNNY\nSOUTH\nWhy suffer the cold, with such\nwinter resorts as Florida, Cuba and\nthe Gulf Coast within your easy\nreach? Arrange to go south; we\nwill quote you rates, suggest routes\nand prepare suitable itineraries for\nyou. For full particulars apply to\nticket agents Chicago and North\nwestern Ry. 46w2c.\nPUBLISHED AT LANCASTER, WISCONSIN, WEDNESDAY, JANUARY 21,1914\nWESTERN PRODUCTION\nWAS WELL RECEIVED\n“Where the Trail Divides” Pleases Audi\nence at Antigo Opera House.\nC. S. Primrose again displayed his\nskill as a producer in presenting to\nAntio theatre goers one of the greatest\nWestern bills which has ever been\nseen here, ‘ Where The Trail Divides”\nIt was a pleasure to see this play\nwhich fairly breathed the air of the\nwest.\nIt is the story of the love of a white\ngirl for an Indian which is put into\na story where we are kept in an up\nroar of laughter by Pop Manning s\ncomedy and weeping at the end of the\ntrail where the Indian leaves bis\nwhite wife to the white man.\nThe production in itself was a\npleasure to look upon and every mem\nber of the company played his or her\npart in a manner that showed a\nsincerity that is seldom seen. Mr.\nHelms as How Landor the Indian gave\na portrayal of the character which\nshowed careful study of the part.\nMiss Gilmore as Bess Landor was\npleasing as well as all the rest of the\ncompany.\nThis excellent production is to be\nplayed at Hatch’s opera house, Fri\nday night, Jan. 30.\nSCHOOL? NEWS\n. ATTENDANCE AND TARDINESS.\nAs has been reported in this column\nbefore, the record of attendance and\ntardiness iu Lancaster is probably\nvery much better than in most places\nin the state. And yet in Lancaster\nihere are a large number of cases that\nare not entirely necessary. In the\ncase of tardiness, especially in the\ngiades, great care ought to be taken\nby parents to get children started in\ntune and to urge upon them the\nnecessity of being on time. Lately\nat the North school the tardines-i has\nbeen quite general, many being from\nfive to tbiity minutes late, and all\nwithout good reason. The pupils who\nare tardy most often are those who\ncould have reached the school on time\nif they had made an effort The\nteachers have tried to correct the\nmatter, but the co-operation of the\nparents is needed to secure results.\nA child who is reared to come and go\nat his will, will become the victim\nof a tendecy that does much to injure\nhis poseibe success.\nA summary of the records in the\nhigh school shows that for the first\nfour months of the year, thirty pupils\nbave neither been absent nor tardy.\nOf these seven are boys; the best\npercentage of attendance ie in tbe\nFreshman class, wtich out of a\npresent enrollment of thiry-seven has\nfourteen without any loss of time.\nTHE HIGH SCHOOL EXAMINATIONS.\nOn Thursday and Friday. Jan. 22\nand 23, the final semester examina\ntions in the highschool will be held\nThose who have been doing their\ndaily work faithfully bave nothing to\nfear from these tests, but for others\ntbe finals may spell failure, as they\ncount one-fourth with the daily work\nand the monthly tests for tbe\ndetermination of the final average.\nAny pupil who falls below 65 in\neither his tests or his daily work or\nwhose average of test and daily work\nis below 75, fails in his work for the\nsemester and must take the subject\nagain. To seniors, therefore, it is a\nmatcter of graduation.\nA new plan for rbetorical work in\nthe high school was explained to tbe\nstudents last Friday. For tbe second\nsemester of the year, all the pupils in\ntbe school are to be divided into\nfive classes, each of which is to be in\ncharge of a teacher. These divisions\nwill meet separately once each week\nfor their work in public speaking.\nThe same rules will apply to this\ndepartment of work that govern every\nether subject in the school; pupils\nmust attend their division regularly\nand must do their work thoroughly\nand satisfactorily, for records are to\nbe kept, and failure in rhetoricals\nwill prevent graduation just as in any\nother subject.\nFor the seniors the work will con\nsist largely of writing and speaking\ntheir orations; in the other classes,\nit will be the recitation of declama\ntions, debates, extempore speeches,\nand other forms of address.\nRegular drill is to begin next week.\nMr. Frank Meyer spoke before the\nhigh school assembly last Wednesday\nmorning on lack of interest that the\npupils showed in their activities.\nHe condemned tbe attitude of boys\nand girls in school who expected\neverything to be done for them rather\nthan do for themselves, and who com\nplained because opportunities were\nnot furnished them for amusement\nHe recommended strongly that pupils\nget interested in things, and that\nthrough that interest, they get for\nthemselves the things they think they\nought to have.\nFORTY-ONE MILLION\nTO PAY ALL TAXES.\nWisconsin Tax Commission Completes\nTabulation Showing Enormous\nSize of Tax Budget.\nMadison, Wis.—The state tax\ncommission announced today tbe re\nsults of tabulations of Wisconsin\ntaxes for 1914. Total taxes of all\nkinds, state and local, for this year\namount to $41,496,960.21, and the\nstate assessment from which this tax\nwas derived was $2 998,187,705. The\ntax rate is computed at .01387403466.\nComparison of these figures with\ntbcse for last year show an increase of\ntaxes amounting to $7,973,547 30. Tbe\ntotal assessed valuation last year was\n$2,841,630,416, tbe total taxes $33,-\n623,412,919, and the tax rate\n.01183243701. This increase is slight\nly more than two mills, equivalent to\n$2.04 for sl,o’oo of true valuation.\nAn interesting observation in this\nconnection is the fact that the IN\nCREASE in taxes of all kinds this\nyear is greater than tbe TOTAL\namount of taxes paid for the year 1879\n—an interval of 35 years.\nSEVEN TOWNS APPEAL\nTO TAX COMMISSION\nAre Not Satisfied With The Equaliza\ntion Values Made by the\nCounty Board\nThe town of Clifton filed an appeal\nMonday from tbe equalization figures\nreported for tbat town, including tbe\nvillage of Livingston, by tbe equaliza\ntion committee of tbe county board.\nThis makes a total of seven towns in\ntbe county that have so appealed, the\nothers being Marion, Castle Rock,\nBoscobel. Bloomington, Millville and\nNorth Lancaster.\nA, preliminary hearing in these\nmatters will he held at tbe court\nbouse in Lancaster, before representa\ntives of tbe state tax commission on\nFriday, February 6, at 10 o’clock a.\nm., to examine tbe assessments of\ntaxable property in the various towns\nunder dispute and to determine\nwhether such appeal shall be enter\ntained and a review of such equaliza\ntion ordered as provided by statute.\nMr. A. E. James, of Madison,\nstatistician of the state tax cimmis\nsion, has been at the court house\nhere for several days past, examining\nthe records for land descriptions in\n‘the town of Potosi, it being represent\ned tbat there are quite a number of\nerrors in tbe description of some of\ntbe lands.\nFISH AND GAME SHIPMENTS\nPostmaster General Burleson Announces\nParcel Post Rulings.\nThe state fish and game com\nmission last week received word from\nPostmaster General Burleson relative\nto tbe new law governing the ship\ninent of dead fish and game by parcel\npost. The postoffice officials hold\nthat no dead sis hor game which has\nbeen killed illegally may be sent\nthrough tbe mails and tbat tbe laws\nof the state specify tbat postmasters\nshall not accept for mailing any\nparcel containing tbe dead bodies or\nparts thereof any wild animals which\nhave been offered for shipment in\nviolation of the laws of the state ter\nritory or district in which they were\nkilled. Provided, however that the\nforegoing shall not be construed to\nprevent tbe acceptance for mailing of\nany dead animals or birds killed dur\ning tbe season when tbe same may be\nlawfully captured.\nIt was also stated tbat tbe postoffice\nauthorities have the right to inspect\nall parcels placed in their care for\ntransportation, and when tbe packages\nare found to contain dead fish or\ngame shipped out of season, steps for\nthe punishment of the offender can be\nstarted under the federal laws.\nStock Shipments.\nWednesday—J. A. McCoy, 1 car of\nhorses\nThursday—John Dobson, 1 car of\nbogs.\nFriday —Andrew Lewis, 1 car bogs.\nMonday—Chas. Case, 1 car bogs;\nMcCoy and Croft, 3 cars bogs; Place\nand Jerrett, 3 cars hogs; Jno. Dobson.\n1 car hogs; Andrew Lewis, 2 cars of\nhogs.\nTuesday— Place & Jerrett, 2 cars\nhogs; John Dobson, 1 car hogs; And\nrew Lewis, 1 car hogs, 1 car horses;\nC. A. Bryhan, farmer. 1 car hogs,\nGeo. J. Wieland, farmer, 1 car cattle;\nW. E. Shimmin, farmer, 1 car cattle.\nThere being an insufficient supply of\ncars one car-load of hogs was left ov\ner for subsequent shipment.\nWedding invitations, printed or\nengraved, at this office.\nMethods Successful in Winning Corn\nContest.\nPure seed, good soil and careful at\ntention to the crop are the three prin\ncipal things to which I attribute tbe\nhonor of winning first place in tbe\ncorn-raising contest. I don't claim\nany “state championship. ’ This was\na connty competition. However. I\nunderstand that my record, 133 bushels\nand 38 pounds of corn produced on one\nacre, is the best production of any\nofficially observed. The best previous\nrecord was 13 bushels and 39 pounds\nless than mine.\n[ live in the Town of Eden, and\nwhile we call this “God’s country,”\nthere are many other localities in\nWisconsin, where with similar condi\ntions and equally good seed and care,\nperhaps fully as large yields would\nresult. We had 195 competitors in\nour contest and the general average\nwas so high as to demonstrate the\nwisdom of planting corn in Wiscon\nsin, and more to tbe point tbe wisdom\nof careful selection of seed and giv\ning tbe field tne best possible care.\nMy seed was the Golden Glow variety,\nNo. 12, pure bred. I obtained it from\nJ. P. Bonzelet, and it came from the\nuniversity of Wisconsin Experiment\nstation in 1907. It was planted on\nunusually good clay loam, brought to\na high state of fertility by rotation of\ncrops.\nI selected an acre on the outside of\na forty acre field of corn, and kept\nbusy. Throughout the season I paid\nstrictest attention to the corn, weed\ning it carefully, hill by bill, hoeing\nit by band and also cultivating it\nwith a team plow. The plants never\nstopped growing until sjme of them\nattained a height of ten feet, but\nmany of tbe stalks that made good\nwars were only five feet in height.\nWhen the grain was mature I got the\ncrop into barn in good weather and\ndid tbe husking by hand. I consider\ntbe final results ample reward for tbe\nadditional labor spent over tbe amount\ntne ordinary field gets for I figure the\naverage cost of this corn at only 10*£\ncents a bushel.\nThis experiment convinces me that\nscientific farming is the only proper\nway to get the best respite; 1 have not\nsold tbe crop but it is worth in tbe\nneighborhood of SIOO or $l5O, accord\ning to how much of it is sold as seed.\nThis particular lot is in demand by\nseedsmen simply because it won tbe\nprize, and possibly it will bring a\nhigher price for that reason, but any\n133 bushels of such high quality corn\nwould doubtless bring SIOO which is a\nrather good return on one acre of\nground and aboutsls worth of work.\nMilwaukee Journal.\n—The third anniversary of the\ndedication of the M. E. church at\nPatch Grove will be held in that\nvillage Friday evening, Jan. 23, with\na banquet at 50c a date. Ou Sunday\nmorning the 25th the sermon will be\npreached by Bishop William A.\nQuayle.\nMethodist Church.\nTho». S. Beavin, Pastor\n9:30 Bible school.\n10:30 morning worship.\n6:30 Epworth League meeting.\nSubject: “Peter—From Wavering to\nSteadfastness’” Speaker, Miss Elva\nKnox.\n7:30 Gospel service.\nThursday—7:3o Weekly prayer\nservice. Read Acts 4to 5 ‘‘Christian\nCommunion’”\nDon’t forget tbe Alma Taylor reci\ntal and impersonations on Tuesday,\nJan 27th.\nResidence for Sale.\nThe property on 2nd St. in Platte\nville known as the Geo. C. Hendy\nresidence. New brick house well\nbuilt, nice finish and in Ist class\ncondition, steam heated, electric\nlight, city water, bathroom, room\nwith toilet and fourteen lots platted\nas Farview Addition to City of Platte\nville. Will sell residence and two\nlots with barn, or will sell buildings\nand ten lots to suit purchaser.\nLook this property over if you want\na good home ; n Platteville. A bargain\nif sold soon. Possession March Ist.\nWrite or call either phone.\nW. E. LATHROP\nor H. E. BORAH,\n46tf Lancaster, Wis.\nNotice.\n. The Trustees of the Boice Creek\nCemetery Association, wish to call\nattention to a meeting at the Boice\nCreek Church, Jan. 27th, at 2 p. in.\nto transact business. 46 w 2.\nCarrying It to Excess.\nQuizzo —“I understand that your\nfriend Bronson is a vegetarian.”\nQuizzed —‘‘Yes. He has such pro\nnounced views on the subject that he\nmarried a grass widow'.”\nVOL. 71; NO. 47\nONE MARRIAGE LICENSE\nHAS NOW BEEN ISSUED\nGeorgetown - Jamestown Couple\nOnly One This Year\nBrought Proper Certificate of Health\nfrom Physician as Required by\nLaw and Secured Permit\nThe spell cast over Grant county by\nthe new eugenic Hw was broken last\nFriday when an applicant for a mar\nriage license, provided with tbe\nproper certificate required by the new\nlaw, appeared at the county clerk’s\noffice, and his wants were at once\nsupplied with tbe coveted permit to\nmarry. Tbe applicant was Josepn\nSimon, a farmer from the town of\nGeorgetown and the lady he wished\nto marry was Miss Chrietena Brant, a\nfarmer’s daughter, of the town of\nJamestown. The age of each of tbe\ncontracting parties was given as 30\nyears.\nThe medical certificate was isauel\nby Dr. J. E. Donnell, of Cuba City.\nLast year thirty six licenses were\nissued by the clerk during the month\nof January.\n—Fire broke out last Wednesday\nmorning in tbe roof of the old build\ning south of E. H Hyde’s block, oc\ncupied by Burrows & Winakilis eutoi\nrepair sbop in the basement ai<d G-\nQ. Skyes’ paint shop up stairs, sup\nposed to be from a defective chimney.\nOwing to tbe slight water pressure\navailable at first it took some time to\nget the flames under coutrol. Ihe\nroof was about half destroyed oa tne\nsontb end of tbe building. Toss about\n$l5O to S2OO. No insurance. Tbe\nbuilding belongs to E. E McCoy, and\nwill be repaired at once.\nSEAT LEE, BAR GLASS\nSENATE BODY HOLDS 17TH\nAMENDMENT IS IN FORCE.\nCommittee’s Finding to Be Passed on\nToday by Upper Branch of\nCongress.\nWashington, Jan. 19. —In deciding\nthat Blair Lee, Democrat, of Maryland\nshould be seated as United States sen\nator to succeed Senator Jackson, Re\npublican, and that Frank P. Glass of\nAlabama is not to be seated to succeed\nthe late Senator Johnston, the senate\ncommittee on elections determined\nthat the seventeenth amendment is\nnow in full effect; that no supplement\nal legislation by legislatures is neces\nsary, and that the governor of a state\nhas authority to call a special election\nwhere machinery for such an election\nexists.\nThe senate will pass upon the cc.n\nmittee’s report today.\nIn the Maryland case one Republic\nan, Senator Kenyon of lowa, voted\nwith six Democratic members to seat\nMr. Lee. In the Alabama case only\nSenator Bradley, Republican, of Ken\ntucky, favored seating Mr. Glass. Dem\nocratic leaders expect opposition from\nthe Republican side before a vote is\nreached on the Maryland case.\n“The two cases.” said Chairman\nKern, “were vastly different. In the\nAlabama case proponents of Mr. Glass\nmaintained that the seventeenth\namendment was not in effect because\nthe legislature had not met to supple\nment it with machinery to carry it out\nand that therefore the old laws were\nin force. In the Maryland case, the\nvalidity of the amendment was recog\nnized and effort to carry it out through\nexisting election machinery, a course\nwhich was ratified by a majority of the\nvoters of the state. In Alabama, the\namendment was ignored and in Mary\nland it was sought to carry out the\nspirit of the amendment.”\nGlass was appointed by Governor\nO’Neal to fill the unexpired term of\nSenator Johnston, who died after the\ndirect elections amendment had be\ncome a part of the constitution.\nIn the Maryland case Governor\nGoldsborough called a primary elec\ntion and Blair Lee was victorious. In\nthis case it was declared that the elec\ntion was irregular because it had not\nbeen called by the legislature, but the\ncommittee held that Mr. Lee was en\ntitled to his seat because he was\nchosen by direct vote of the people.\nRelics of Wagner Stolen.\nRelics of Wagner, the great com\nposer, were stolen from the family\nhome, Villa Wahnfried. at Bayreuth,\nGermany, on a recent night. The most\nvaluable of the relics were taken, in\ncluding the composer’s watch, set with,\ndiamonds.\nTight.\nThey were searching for a name for\nthe new apartment house. “From the\nway you're going to pack the people\nin,” remarked a prospective tenant, “I\nsuggest that you call it The Sardinia.” *", 'batch': 'whi_kenyon_ver01', 'title_normal': 'grant county herald.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85033133/1914-01-21/ed-1/seq-1.json', 'place': ['Wisconsin--Grant--Lancaster'], 'page': ''}, {'sequence': 1, 'county': ['Sauk'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn86086068/1914-01-22/ed-1/seq-1/', 'subject': ['Baraboo (Wis.)--Newspapers.', 'Wisconsin--Baraboo.--fast--(OCoLC)fst01222682'], 'city': ['Baraboo'], 'date': '19140122', 'title': 'Baraboo weekly news. [volume]', 'end_year': 1979, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Available on microfilm from The State Historical Society of Wisconsin.', 'Editors: H.E. Cole & H.K. Page, Jan. 4, 1912-April 12, 1928.', 'Publisher varies.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Baraboo, Wis.', 'start_year': 1912, 'edition_label': '', 'publisher': 'H.E. Cole & H.K. Page', 'language': ['English'], 'alt_title': [], 'lccn': 'sn86086068', 'country': 'Wisconsin', 'ocr_eng': 'ESTABLISHED MAY 26, 1884\nU 801 HI\nnan me\nTells of School House Be\ning Built for About\nFifty Dollars.\nEARLY OAYSJN TROY\nOld Money, Newspapers\nPictures and Other Ob\njects Gifts.\nThe following have bsen given to\nthe Sauk County Historical society:\nArthur Redman, 721 Walnut street,\ngives a Confederate fifty dollar bill.\nGeorge E. Northrup, JBaraboo, gives\nan Atlas of Minnesota, dated 1874.\nN. B. Hood of Spring Green sends\na picture of the monument erected in\n1883 at Lone Rock by the survivors\nof the Sixth Wisconsin Battery. The\nnames of the me oncers of the company\nand the important battles in which\nthey participated are cast in bronze.\nA copy of the “ Wisconsin Patriot",\ndated March 1, 1835, is given by Miss\nBelle Blanchett of this city. The\n<copy is Vol. 1, No. 104, and is largely\ndevoted to advertisements and news\nof the legislature.\nJ. Sidney Geor <e, Rice Lake, Wis.,\nsends a copy of Ringling Brothers\nletter paper, such as they used about\n1883. The pictures of the brothers il\nluminate the lop of the Bheet and is\nan interesting relic of the early circus\ndays of Baraboo.\nThe Columbus ships stopped at\nManitowoc last fall on their way to\nSan Francisco. H. George Schuetie\nof Manitowoc sends a picture of the\nthree frail barks as they appeared in\nhis city.\nClark Sturdevani gives a copy <f\nihe Daily Citizen printed on wall\npaper in Vicksourg during the siege\nAn 1863. Tula paper has given ex\ntended descriptions of these papers in\nthe past.\nCaptain J. P. Drew of Baraboo gives\ncopies of the general army orders,\n1861-1865. It is an unusual collection.\nWhen H. L. Skavalem of Janesville\nlectured before the society last w inter,\na picture was taken of a number of\nthe objects he had made from stone.\nOne of the pictures is given by Kiis\nKramer.\nHarrisburg school district, town of\nTroy, loans Ihe record book which\nwas kept by the pioneers, the first\nsentry being made Jan. 2, 1850. Troy\nwas then a part of Honey Creek, the\nfirst meeting wai at the home of Wil\nliam Young and among the persons\nnotified by the clerk, John Bear, were\nJ. W. Harris, Wesley Harris, Henry\nKiefer, Stephen Miller, James A.\nTaylor, William Youag, Parson\nYoung, Henry Clamaa, John Feller,\nNicholas Nutzer, and ethers. Among\nthe teachers of that district were Orasa\nDrew, Mrs. Johnson, John Young,\nafterwards sheriff, and others. The\nfirst log buliding, 16 by 20 feet, was a\ncabin covered with clapboards nailed\non “rills”, with floors laid down\nloose, with four 12 light windows and\n“scutched.” The society will be glad\nto receive more of the pioneer reco:d\nbooks.\nWhen Peck & Or vis were in business\nin Baraboo before the Civil War they\nissued paper money. A few specimens\nof this money are desired by the\nsociety.\nSAMUEL I EM\nIS HOT CHIME\nSamuel H. Cady of Green Bay,\nwhose name has been mentioned with\nprospective candidates for congress\nmen in the 9th congressional district\nin Wisconsin, is not a candidate. He\nsays: “I have not considered the pro\nposition seriously and I am not a can\ndidate.” Mr. Cady formerly resided\nin Sauk county and is a brother of\nCity Attorney V. H. Cady.\nLicensed to Marry\nDr. C. M. Wahl, Madison and Erna\nSprecher, Troy. The bride is a daugh\nter of Mr. and Mrs. George Sprecher.\nBARABOO WEEKLY NEWS.\nCOMPARATIVE RII\nKITE FIGURES\nEveryone is paying his taxes these\ndays providing an elephant has not\nstepped on his pocketbook, and a few\nfigures as to the high cost of living\nof municipalities may be interesting.\nThe tax payers in the following cities\nare paying:\nBaraboo, $23.00 on each SI,OOO\nRichland Center, $29.40 on each\nSI,OOO\nPortage, $20.00 on each SI,OOO\nSparta, $25 10 on each $1,003\nReedsburg, $15.30 on each SI,OOO\nMadison $16.50 on each SI,OOO\nWaupun, $31.89 on each SI,OOO\nOshkosh, 17.50 on each $1,003\nHartford, 13.14 on each SI,OOO\nBoricon, 12.00 on each SI,OOO\nWatertown, 16,98 on each SI,OOO\nLodi, $24 cn each SI,OOO\nFox Lake, $24 30 on each SI,OOO\nRio, $lB 93 on each SI,OOO\nU BUS\nFIOMBUNAWAT\nAbraham H. Johnson Dies\nat the Gem City Gener\nal Hospital.\nAbraham Henry Johnson, who was :\ninjured in a runaway accident on l\nTuesday, died this morning et 5:47 at\nthe Gem City hosrital to which insti\ntution he was t&ken after the accident.\nAs previously staled, a lino broke es\nhe was driving down the hill on\nthe Merrimack road near the Pearson\nhomes and the team ran away. He wts\nthrown forward and struck on his\nhead, there being no visible injury\nexcept a slight spot near the forehead.\nWhen examined at the hospital it was\nfound there was an injury at the base\nof ihe skuli, but the condition of the\npatient did not warrant an operation.\nHe did not regain consciousness after\nhe was thrown and recovery was not\nexpected. It was an unfortunate ac\ncident and removed a Greenfield res -\ndent in the prime of life. He was re\nmoved soon alter death to the E. 8.\nJohnston undertaking rooms.\nMr. Johnson was born August 4,\n1865, and resided in Greenfield for\nmany years. He leaves a wife and\none son, Eddie, aged 15, and a daugh\nter, Lillian, aged 12.\nHe also leaves the following broth\ners and sisters:\nClarence Johnson, Baraboo\nJoseph Johnson, Heyward, Wis.\nJosiah Johnson, Minnesota\nMrs. Sarah Smith, Canada\nMrs. Kate Nettle, Baraboo\nMrs. Cornish, Baraboo\nMrs. Hannah Noot, Beloit\nmiiriH;\n1 up IIIOE\nFrom Eos Angeles, Cal., cams Mrs.\nHelen Mason Perclval on Thursday\nand in the evening she was married\nto Nathan Farnworth at the heme of\nMr. and Mrs. Oscar Wigelow, 321\nFifth avenue. The ceremony was\npronounced by Rev. C. D. May hew of\nthe Baptist church in the presence of\nonly a few friends of the groom. Mr.\nFarnworth has resided in Merrlmsck\nand Baraboo for many years aud is a\nveteran of the Civil war. They are\nmaking their home at the corner of\nBirch street and Seventh avenue.\nOperation Is Performed.\nMrs. Frank Rohner of Wonewoc\nunderwent a serious operation for\nmalignant tumor Wednesday morn\ning at the Wonewoc hospital. Mrs.\nRohner is a sister of Mrs. Zaida Mor\nrison, now Mrs. W. C. Westurn, Mrs.\nWm. Lamberton and L, A. Hampton\nof this city.\nA Wise Child\n“Willie,” sadly said a father to his\nyoung son, ‘I did not know till today\nthat last week you were whipped by\nyour teacher for bad behavior.”\nDidn’t you, Father?” Willie an\nswered cheerfully, “Why, I knew it\nall the time.”—February Woman\'s\nHome Companion.\nBARABOO, WIS., THURSDAY, JAN. 22, 1914\nSOME FOLKS’ IDEA OF AN INSULT.\n*You AREA LCwDCwmJ v’uaw 1 I VyOU ARE A DISREPUTABLE,) \' } Ho-Ho!T\n(Vhy, you Haven\'t A \\*3TOP ! (> N6THfH4r Moße V you\'re\n!\nC You\'Re AW ) “ ,o (’HOW OKRE you insult me!\nH-ti-sI Jtes ~sssss;\nffigU\n—Webster in New York Globe.\nHow 120 Bushels ol Corn Were Raised on\nan Acre o! Ground.\nPaper Written by Ernest Wichern, Son of Mr. and Mrs. Wm. Wichern\nand Read Before the Skillet Creek Farmers’ Club\nThere was clover on the bind laßt\nyear. The first crop was cut for hay\nand the second was cut for seed. The\nnext spring about twenty tons of\nstable manure were hauled on the land\nand plowed in the latter part of May.\nThe ground was harrowed and the\ncorn planted about the first of June*\nThe corn came up iu a few days and\nwfien it was about four inches high it\nwas dragged crosswise as the corn\nwas drilled in. After the corn was\nhigh enough to cultivate I went\nthrough it with the sulkey cultivator,\nthis being about the middle of June.\nAbout ten days later the com was\ngone through again with the same\ncultivator. A week after this we\nstarted hoeing it. The rows were\nplanted three feet, eight inches apart,\nand the corn was very thick in the\nrow. As we hoed it we thinned the\nstalks out to about twelve inches\napart. It took two or three weeks to\nget it all hoed because it seemed hard\nto stick to the job. It it had bsen hoed\nand thinned sooner there would have\nbsen a larger yield.\nThere was nothing done with the\ncorn after this until husking time£\nNumerous\nterritorial\nResidents\nDiscovered\nSince our last report several new\nnames have been added to the News\nTerritorial club. All readers of this\npaper who were in Wisconsin before\nMay 29,1848, should send their names\nat once. When all have enrolled a\ncertificate of membership will be\nmailed from this office. Here is the\nlist up to date:\nA. W. Foster, born at Barry Center,\nOswego county, New York, March 11\n1844; came to Wisconsin in September,\n1844, and to Baraboo in May, 1848.\nP. P. Palmer, born in New York\nstate in 1843 and came to Baraboo in\n1847.\nMrs. John Wiggins, North Freedom,\nborn in Dane county, September 17,\n1846.\nMrs. Marie Burrington, born in\nupper Canada, town of Dumfrie, in\n1834, and came with the family\nto Dane county in 1839 and to\nBaraboo in 1857.\nVolney Moore, Baraboo, born in\nDane county, August 5,1843.\nDaniel Brown, born at West Alley,\nOrange county, Vermont, 1832, and\ncame to Sauk county in 1844.\nVf w days before the corn was ready\nto be hulked tbere was a wind slorm\nwhich knocked the stalks down pretty\nbadly. After the stalks were knocked\ndown the chickens and little pigs\nfound that it was a good place to get\ntheir meals. The Saturday before the\nfair we husked the corn, allowing\nseventy five pounds to the bushel.\nThe corn yield of the country could\nbe greatly increased if the corn could\nbe taken care of in the right way and\nat the right time.\n(Editor\'s Note—ln the corn contest\nconducted by County Superintendent\nG. W. Davies, Walter Klip3tein of\nLoganville look first prize and Ernest\nWichern second. The average yield\nin the United States is 23 bushels,\nin Wisconsin 40 bushels and in the\ncontest 100. The highest in the con\ntest was 122 bushels and the lowest\nabout 82 bushels. Master Wichern\nraised nearly 121 bushels and had it\nDot been for the invaders he would\nno doubt have taken first prize. As\nshown in this case it is cot only good\nfarooingto raise a fine crop but to care\nfor it as well. This is an inportant\nelement.)\nErastus Brown, brother of the above,\nborn in Orange county, Vermont, in\n1830 and came to Sauk county in 1844.\nMrs. Rose M. (Clark) Morley, born\non Big Foot Prairie, Walworth county,\nWis., Nov. 19, 1812, and came to Bar\naboo Sept. 6, 1848.\nSarah Amea Pigg, 514 First street,\nBaraboo, was born at Oregon, Wis.,\nIn 1847.\nM. C. Johnson, 1325 East street,\nBaraboo, born June 18, 1841, in Cass\ncounty, Michigan, and came to Bara\nboo, September 18, 1841.\nMrs. Leander B. Wheeler of Lime\nRidge, born at Salem, Wis., Septem\nber 7, 1845.\nMrs. Sarah Race, Baraboo, born in\nNew York, November 12, 1823, and\ncame to Wisconsin in 1841.\nMrs. Victoria Peck Hawley, born in\nMadison on September 14, 1837.\nMrs. Mary Trumble, first white\nchild bom in the town of Freedom,\nMay 17, 1848. Now a resident of\nNorth Freedom.\nThe Hackett Family of North Free\ndom.\nGeorge Hackett, born in Canada,\nJan. 30,1829, came to Sauk county\nMarch 27, 1848.\nTimothy Hackett, born in Canada,\nMarch 26,1831, came to Sauk county\nMarch 27,1848.\nJohn Hackett, born in Canada, July\n30,1833, came to Baraboo March 27,\n1848.\nJoel Hackett, born in Canada, Aug.\n27,1835, and came to Sauk county\nREERSBURG GIRLS\nIRE CAST DOWN\nThe Reedsburg basket ball team\nwas defeated at Kendall by a score of\n3 to 48. Concerning the Reedsburg\ngirls, who accompanied the boys, the\nKeystone says:\nBut there was a nice bunch of girls\nthey towed in from the town with the\nDoric name! Lovely creatures—some\nof them fairer than the fairest flower\nthat ever bloomed in the vale of Shar\non. Poor girls! They came with\nsprightly youth and glowiog beauty,\nanimated by unalloyed faith in their\ngallants and alive with gushing senti\nmentality, only to be cast down into\nthe dolorous valley of Jehosiphat. It\nWtS too bad.\nloogeledlg\nIS DigE EVERT\nCeremony Pronounced at\nthe Regular Meeting of\nMystic Workers.\nFor tbe first time in the history of\nthe city of Baraboo a couple was mar\nried on Wednesday evening at the\nregular lodge meeting. The bride\nand groom were W. C. Westurn of\nBeloit and Mrs. Zuda Morrison of\nBaraboo. Mr. Westurn formerly re\nsided here and the couple has known\neach other for many years. The cere\nmony was read by Rev. B. E. Ray,\npastor of toe Congregational church,\nthe couple being accompanied by Mr.\nand Mrs. William Lamberton and\nMiss Lillian Steckenbauer playing the\nwedding mareu. The hall was deco\nrated for the occasion, about eighty\nwere present and at the conclusion of\nthe ceremony congratulations were\nextended and presents given. Supper\nwas served at the Robinson restaurant.\nBefore the welding the regular lodge\nmeeting was held, five candidates\nwere initiated, the cflijer3 were in\nstalled by Mrs. Clara Hackett of\nNorth Freedom and all in all it was a\nlodge evening long to bs remembered.\nMr. and Mrs. Westurn have gone to\nBeloit where they will reside at 1143\nSixth street.\nVETERAN’S FUNERAL\nHELD ATJEDSSUR6\nThe funeral of John Mallon, who\ndied Tuesday at his home near Iron\nton, was held in the M. E. church In\nReedsburg Thursday, the. sermon be\ning preached by Rev. Moon of Iron\nton. The remains were laid to rest in\nthe Greenwood cemetery. The de\nceased was an old soldier in the Civil\nwar and was a member of Cos A, 19th\nWis. Inf. He enlisted at Reedeburg\nJan. 10,1862, and fought until he was\ntaken prisoner in the fall of 1864. Elev\nen members of the company were\npresent at the funeral and the pall\nbearers were survivors of the com\nmand. They were Rube Sanborn,\nE. 8. Palmer, A. Fry, Henry Grote\nGeo. Paddock and Wm. Bwetland of\nReedsburg and JBaraboo.\nWill Come Out’Rifllit Side Up.\nConcerning a former North Freedom\neditor the Kendall Keystone says:\nG. L. Schermmerhorn of varied jour\nnalistic experiences, who is well\nknown in Kendall, has settled down\nas assistant editor of the West Salem\nNonpariei Journal. The lad has had\nhis ups and downs—principally the\nlatter—but he is bright and with ex\nperience and the wisdom of accumu\nlating years will come out right side\nup.\nMarch 27, 1848.\nMrs. Dency M. (Hackett) Gray\nborn in Canada, May 13,1839, came to\nSauk county March 27,1848.\nFrank Hackett, born in Illinois,\nJuly 24,1840, came to Sauk county\nMarch 27,1848.\nParshall Hackett, born in Illinois,\nNov. 8,1844, came to Sauk county\nMarch 27, 1848.\nREAD BY EVERYBODY\nTit! Fill ill\n■Tip HEFT\nStrange Coincidence in Sac\nramento, California,\nRecently.\nTHEY DIKED- TOGETHER\nAll Were From Across the\nSea and Had Become\nSeparated.\nBtrange things sometimes happen\nto one when he travels. Forty seven\nyears ago Antone Ludwig and John\nWolf came from their native land,\nSwitzerland, to America. They crossed\nthe ocean together and during their\ntransatlantic trip b?cimefast friends.\nThey first located in Sauk, Wiscon\nsin, where Doth remained for many\nyears. There they were both married\nand by a strange coincidence both lost\ntheir wives in 1912, although widely\nseparated at the time of their be\nreavement.\nMr. Ludwig was the first to leave\nSauk but after a short residence in\nVirginia City, Nevada, he induced\nMr. Wolf and family to follow him.\nIn 1878 both families left Nevada, one\ngoing to Montana and the other to\nCalifornia.\nA few days ago both accidentally\nmet in Bacramento and while they\nwere viewing the sights they were sur\nprised to find William Franke of\nWoodland, also a former rejident of\nSauk City. After the chance meeting\nthey enjoyed a reunion and dined to\ngether. Mr. Ludwig has mining\nproperty and when he resided in Sauk\nCity was employed in the Kosche\nstove foundry. Mr. Franke is a son\nof Mrs, Caroline Frank of Bauk City.\nton hum:\n.gets mu rail\nFour Reedsburg Youths\nTaken to Madison and\nReceive Sentences.\nOn the charge of breaking into Ue\nReedsburg brewery and stealing a\nquantity of liquor, Guy Smith wra\nsentenced at Madison on Wednesday\nto the state penitentiary for 18 month a\nby Judge Stevens in the circuit court*\nPalmer Smith, who was with him*\nwas also sentenced for four years but\nthe court suspended the sentence. Tha\nSmiths are not related to t each other\nbut have been committing depreda*\ntions together. Oae of the Smiths had\nbeen helping himself ito booze in the\nbrewery before, it is stated, and was\nalso implicated in other crimes of a\nburgular nature. Howard Priest\nand Clarence Rebety, two younger\nyouths, went aloDg the last\ntime the Smiths visited the booze fac\ntory and were caught in the net\nthrown out by the officers. Priest\nand Rebety were paroled to B. N.\nJostad, field probation officer of the\nstate board of control for four years.\nDistrict Attorney J. H. Hill of Bar*,\naboo appeared for the state.\nANOTHER RUNAWAY\nIN 6REEREIELD\nOn Wednesday a horse driven by\nJames Albert of Greenfield ran away\nand the driver reoeived a sprained an-*\nkle. Dr. A. L. Farnsworth was sum\nmoned to care for the injury.\nCaught Him With the Goods.\nA Kilboum merchant went on e\nhunting trip for birds and got them\nOn the way home he met a game war\nden and the game warden got the\nhunter. Fine and costs cleared the\natmosphere.\nUndergoes Operation\nMiss Abbott of Sauk Prairie has un\ndergone an operation at a Baraboa\nheme.', 'batch': 'whi_lethifold_ver01', 'title_normal': 'baraboo weekly news.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn86086068/1914-01-22/ed-1/seq-1.json', 'place': ['Wisconsin--Sauk--Baraboo'], 'page': ''}, {'sequence': 1, 'county': ['Dodge', 'Jefferson'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85040721/1914-01-23/ed-1/seq-1/', 'subject': ['Watertown (Wis.)--Newspapers.', 'Wisconsin--Watertown.--fast--(OCoLC)fst01212850'], 'city': ['Watertown', 'Watertown'], 'date': '19140123', 'title': 'The Watertown weekly leader. [volume]', 'end_year': 1917, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Available on microfilm from The State Historical Society of Wisconsin.', 'Editor: E.W. Feldschneider, Dec. 19, 1913-Dec. 29, 1914.', 'Issued also in a daily edition called: Watertown daily leader, March 6-<July 31, 1916>.', 'Publisher varies.'], 'state': ['Wisconsin', 'Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Watertown, Jefferson County, Wis.', 'start_year': 1912, 'edition_label': '', 'publisher': 'W.L. Swift', 'language': ['English'], 'alt_title': ['Weekly leader'], 'lccn': 'sn85040721', 'country': 'Wisconsin', 'ocr_eng': 'THE LEADER\nhas a large circulation i\'i Jefferson and\nDodge Counties and is a good advertising\nmedium. A trial will convince you. :\nE. W. FELDSCHNEIDEK. Editor and Punisher.\nVALUABLE TOPIC FOR FARMER\nBUSINESS METH\nODS ON THE FARM\nEvery Up-to-date Farmer Should\nTake an Inventory of His\nFarm Now.\nThe Leader has adopted anew feature\nin its endeavor to be especially value\naide to the farmer and will each month\npublish p irts of the Wisconsin Bankers\nfarm bulletin, having been requested to\ndo so by the Farmers & Citizens Hank.\nThe for ming article on Inventories is\nan especially valuable one and should be\ncot out aud saved for reference.\nAn inventory is a statement showing\nin detail the value of land, buildings,\nlivestock, equipment, produce, cash on\nhand and in the bank on the date of in\nventory, together with the amounts of\nall notes and bills that others owe to the\nfarmer as well as those that the farmer\nowes others.\nWhy take an Inventory?\nAn inventory shows, lirst, the farmers\ntotal investment, second, his net worth,\nthird, how much his net worth has in\ncreased or decreased during the year.\nThe total investment is determined by\nadding together th e values of the various\nclasses of property. On this invest\nment the farm must pay a fair rate of\ninterest before there is any return for\nlabor. It is often desirable to know\nhow much of the total capital is invest\ned in horses, land, buildings, etc., and\nby a proper grouping of the farm prop\nerty the annual inventory will furnish\nthe most excellent material for such\nstudy. In case there are no debts, the\nnet worth will be the same as the total\ninvestment; but on farms where there\nare debts these must be subtracted\nfrom the total investment. By compar\ning the net worth of the inventory at\nthe beginning of the year and the net\nworth of that at the end of the year, the\nfarmer can see how much he has gone\nahead or dropped behind.\nBesides furnishing the farmer and his\nfamily a living, the increase or decrease\nin the net worth is what the farm has\ngiven in return for labor and the use of\ncapital. To be able to determine how\nmuch one has gained or lost during the\nyear is of great importance, and the\nvalue of the information alone will more\nthan repay the farmer for the time\nspent on the inventory. It is a common\nmistake for all those who do not take\nthe inventory to look at the amount of\navailable cash as a guage of their busi\nness success. This is a grievious mis\ntake for fluctuations in cash mean prac\ntically nothing. A gain of SI,OOO in cash\nat the end of the year may simply mean\nthat some of the property on hand last\nyear has been turned into cash. On the\nother hand, a decrease of 11,000 may\nmean that what was cash last year ap\npears now in the form of anew build\ning or some other improvement.\nAn annual inventory will also be of\nmaterial assistance in adjusting a loss\nby fire-should buildings, or contents,\nbe burned.\nTime of Taking Inventory.\nFor Wisconsin the time of taking an\ninventory will vary between January 1\nand April 1, preferably March 1. The\nexact date will depend on the location\nof the farm and the type of farming.\nOn a poultry farm the most convenient\ndate is in the fall; whereas on dairy and\nstock farms where there is likely to be\na great deal of feed on hand earlier in\nthe year it might be advisable to post\npone this work until later in the winter.\nFor best results ihe inventories ought\nto be taken on the same date each year,\nand, hence, it is advis: ble to choose a\ndate that is early enough to make it\npossible to get this work done before\nfield work begins even during the years\nof early spring.\nBuildings,\nList and give a valuation to each\nbuilding - The value to be put upon a\nbuilding will depend upon its present\nusefulness, original cost, character of\nbuilding material used, construction,\nstate of repair, age, location, etc. In\ncase of dwellings and barns, handiness\nand sanitation are also points which need\nto be considered. The value must be\nestimated on the basis of the above\nfactors. Statistics show that buildings\nwill, as a rule, decrease in value at a\nyearly rate of from two to four per cent\nof the original cost.\nWater System.\nUnder this heading enter all items\nthat have to do with the water supply\nof the farm and that is a part of real\nestate. Gasoline engines and movable\ntanks would not be included in this\ngroup. Pumps, welis, cement tanks\nand reservoirs, windmills, etc., should\nbe itemized and given separate values.\nThe values of windmills and pumps\nmust be reduced at the rate of from six\nto ten per cent yearly, whereas, wells,\nconcrete tanks and reservoirs can be\nput in the inventory at the same value\neach year.\nLand.\nAfter having obtained the value of\nbuildings and the water system, add the\ntwo totals together and subtract their\nCbe iUatmown meekly Header\nsum from the value of the whole farm.\nThe remainder will be the value of the\nland including fences, woodlots and\ndrainage. Land ought to be left at the\nsame value in the inventory from year\nto year unless there is good reason for\nsome other practice.\nLive Stock.\nHorses and cattle are inventoried in\ndividually. In order that they may be\nrecognized when taking the next in\nventory, they ought to be listed either\nby name or number. The local selling\nprice of horses and cows will help to\ndetermine their value. Age must be\nconsidered. Horses usually rise in\nvalue until the y are about 4 years old\nand then fluctuate with the seasonal\nprice until they are about 10, and then\ndrop off rather rapidly. The value of\nmilk cows will usually rise and fall in\nthe same manner. Hogs, sheep, poultry,\n(unless purebred), are usually inven\ntoried at a certain rate per head, this\nrate being based on market price.\nProduce and Supplies.\nThis includes, hay, straw, grains, corn,\nground feed, binder twine, paints, oils,\nnails, posts, etc. Most of the puchased\nsupplies are on hand in small quantities\nand can either be weighed or estimated.\nWith roughage, grains and corn it is\ndifferent. The amounts on hand of\nthese commodities are found by getting\nthe cubic contents of the bins, mows,\nand stacks. To find the approximate\nnumber of cubic feet in a stack, measure\nits length, width and “over.” To meas\nure the “over,” throw the tape over the\nstack and hold it tight down to the bot\ntom of the stack on both sides. Having\nthe measurement, multiply the length\nby the width, by the “over” and divide\nby 4 to get the number of cubic feet.\nThe number of cubic feet to a ton will\nvary from 320 to 550, depending on the\nkind of hay and how well it is packed.\n500 is ordinarily a safe figure to use.\nEar corn will run between 2y% and 2 l / 2\ncubic feet per bushel, depending some\nwhat on the size of the ears and the\nlength of time it has been in the crib.\nIf one wishes to use 2% cubic feet, the\neasiest method is to multiply by 4 and\ndivide by 10. A bushel of oats, barley,\netc., runs very close to 1 l / 2 cubic feet\nto the bushel. To reduce cubic feet to\nbushel, therefore, one may either divide\nby or else multiply the cubic con\ntents of the bin by 8 and divide by 10.\nSilage will vary from 20 to 60 po mds\nto the cubic foot, depending chiefly on\nthe height to which the silage stood in\nthe silo at the time of filling. There is\nno market price for silage, but for the\npurpose of the inventory it may be\nvalued at 1 3 the market price of hay.\nMachinery and Equipment.\nFor best results, list and value each\nmachine and tool by itself. If one does\nnot desire such detail, minor equipment\ncan be listed and valued in smaller\ngroups, as for instance, carpenter’s\ntools, b\'acksmith’s tools and garden\ntools. But no matter which method is\nused in inventorying minor equipment,\nit is always advisable at the time of tak\ning the first inventory to make a com\nplete list of all tools. For later inven\ntories the value of such equipment may\nbe determined by subtracting 10 per\ncent from the value of the preceding\ninventories and adding the value of new\ntools. At just what value to put ma\nchinery into an inventory will depend\non cost, age, usefulness and efficiency.\nA cinder that cuts 20 acres will last\nlonger than the one cutting 100 acres a\nyear. A machine stored indoors while\nnot used will last longer tnan the one\nleft outdoors, etc. The inventions of\nnew and more efficient machines may\ncause sudden drops in the values of the\nold machinery. As soon as the binder\nwas put on the market the value of the\nreaper was decreased rapidly. Special\ncrop machinery will decrease in value\nsuddenly in case the growing of that\ncrop is discontinued. An example of\nthis would be the sugar beet equipment\nin localities where the growing of beets\nhas been discontinued. The average\nrate at which machinery will decrease\nis not always of much use, but may\nserve as guides. The following are\nsome of the annual rates of deprecia\ntion for the more common machines:\nper cent.\nHay rakes, grain binders, mowers.. . 8\nDrills and seeders, corn planters, corn\ncultivators, gang plows. 7\nHay loaders, manure spreaders 12\nWalking plows and heavy harness... 6\nHarrows 9\nWagons and disks 5\nCash and Notes.\nCash on hand aud in the bank, as well\nas all notes and bills that the farm busi\nness has coming from others, should be\ndetermined aud inventoried accurately.\nBy depositing in a bank proceeds of all\nproduce aud stock sold, and payment of\nall bills bv bank cheek, the annual “pro\nfit or loss” may be more easily ascertain\ned aud annual inventories more readily\nprepared.\nDebts.\nAll debts should be included in the in\nventory. It is advisable to list each\nmortgage ana note and bill separately,\nand to give the name of the party to\nwhom it is drawn.\nValuation.\nThe chief aim in taking an inventory\nshould be to make it show the actual con-\nditions of the farm business. In order\nto make the inventory show this it is\nnecessary to be conservative in all valua\ntions. To be able to place an exact\nvalue on the different items of farm\nproperty is, of course, difficult, but for\ntunately this is not absolutely necessary\nfor the accuracy of the inventory as a\nwhole will not vary directly with the\ncorrectness of the valuation of any one\nitem. If one acquaints himself with\ncurrent prices and tries to be fair in\nhis estimate he is not likely to be very\nfar off on the value of any one item,\nand what mistakes he may make wil\nmost likely offset one another. In case\nof the herd he may rate some of his cows\na little high, but he is just as apt to\nvalue other cows a little too low, and\nthe chances are that by adding together\nall of the values his result would be very\nclose to what the herd would sell for.\nK. C. PROGRAM\nVERYPLEASING\nMiss Mary A. Doyle and Miss\nAnna F. Holahan Give Pro\ngram Before Baquet.\nThe Knights of Columbus gave\na very pleasing free entertainment\nat St. Henry’s hall Wednesday eve\nning after which a banquet was\nheld at the K. C. Lodge hall by\nthe knights and their friends. St.\nHenry’s hall was crowded and none\nwere disappointed in the progam.\nMiss Doyle is one of the best read\ners that has ever been here and\nMiss Holaban’s singing was highly\npleasing. The ladies were very\nably accompanied at the piano by\nMrs. C. A. Feist. The banquet\nwas an affair which will long be re\nmembered by all present. Editor\nJ.W. Moore was toastmaster and\nresponses were given by the follow\ning: Rev. Fr. Hennesey, Attorney\nJ. G.Conway, J. E. Me Adams, E.\nMangold, John Salick. Miss Doyle\nalso gave a reading at the banquet.\nEDWARD MAY IS\nCALLEDBY DEATH\nFormer Watertown Mill Owner\nDied Thursday Evening\nIn the East.\nNews was received here from Aspiu\nwall, Pa., of the death of Edward May,\none of the former owners of the Globe\nMilling Cos., one of whose mills, some\ntimes known as May’s Mill, burned to\nthe ground in 1894. Mr. May had been\nill for some time bright’s disease being\nthe cause of death. The deceased was\nabout 57 years of age and was born in\nWatertown. The family went to Aspiu\nwall about ten years ago. He is sur\nvived by his widow aud six children,\nPercy, Gustav, Herbert, Silas, Harry and\nEdna May. Interment will be at Aspiu\nwall, Pa.\nDEPOT AGENT\nIS PROMOTED\nNorth Western Railroad Agent.\nPaul F. Kohler, to Go\nto Grand Rapids\nPaul F. Kohler, who has been the sta\ntion agent at the Northwestern depot the\npast few years has been promoted to\nGrand Hapids where he will have charge\nof the depot. Mr. Kohler has already\ngone to that city and the family will\nmove there next week. G. T. Bopth of\nFort Atkinson has been transferred to\nWatertown in Mr. Kohler’s place. Mr.\nand Mrs. Kohler have been especially\npopular here and their many friends al\nthough glad to learn of the promotion\naresorry to see them leave.\nJohn Walther Attempts Escape.\nJohn Walther, who is in jail at Elk\ntorn awaiting trial for murdering his\nwile near Whitewater last fall, attempt\ned escape in company v\\ Ith Harry McFee,\na slippery confidence man. They had\nsawed the iron bar which holds the steel\nplate i;a place over the manhole of the\nventilator flue. They planned to climb\nthe inside of the flue and jump to the\nroof. The work was done with an old\ncase knife aud must have taken hours of\ntedious toil. The attempted escape was\ndiscovered by the sheriff in time to pre\nvent it.—Jefferson Banner.\nHold-up Occurs\nMiss Sarah Bergiu was relieved of her\nsuit case while walking toward the Junc\ntion Monday evening, the suitcase being\nfound later with its contents intact.\nThe burly fellow who seized it and disap\npeared evidently thought it contained\nmoney. Miss Bergin lives at Richwood\nbut was going to a home near the Junc\ntion where she intended to remain over\nnight.\nWATERTOWN, JEFFERSON COUNTY. WIS„ JANUARY 23. 1914-\nCITY ATTORNEY\nREPORTS SUITS\nStales Outcome ci Boughner and\nLewis Fund Cases at\nCouncil Meeting\nThe following report was given at a\nregular meeting of the city council by\nCity Attorney Gustav Buchheit:\nTo the Common Council of the City of\nWatertown, Wis.\nGentlemen: It is ray duty to report to\nyou at this time the outcome of the two\nof our most important lawsuits, namel>:\nthe one relating to the Fannie P. Lewis\nPark Fund and the case of Helen C.\nBoughner, against the city. The former\ncase involved purely questions of law,\nand Judge Grimm has seen fit to decide\nagainst the contention of the city. In\nthe Boughner case the jury, in Judge\nLueck’s court, rendered a special verdict,\nwhich evidently was based on nothing\nbut sympathy for the plaintiff, who it\nappears is crippled and in destitute cir\ncumstances. I fail to find any evidence\nto establish the alleged fact that the ice\nand snow upon which the plaintiff fell,\nexisted for three weeks prior to the ac\ncident, which under the law must be\naffirmatively shown by the plaintiff be\nfore she can recover. Consequently it is\nmy advice that both of these cases be\ntaken to our supreme court, in justice\nto the taxpayers. Both cses present\nnew questions and the secondary liabil\nity, if there is any, of the Barker Lumber\nand Fuel company can be ascertained in\nno other way, having reference, of course,\nonly to the Boughner case. The additional\ncosts in both these cases, if the city lost\nin the supremo court, would be about\none hundred dollars. Besides the afore\nsaid .castes the cases of Mrs. Schroeder,\nMrs. Polzin and the midnight tresspass\ners may come on for trial next month,\nand in order to provide for the advance\nwitness fees, etc., which may be required\nin such event, and to provide for the\nsupreme court’s clerk fees, in the above\ncases, which I shall appeal, I hereby ask\nyou to appropriate the sum of $75.00.\nRespectfully yours,\nGustav Buchheit,\nCity Attorney.\nStale Feeble Minded Home\nQuito a number of merchants are in\nterested in the fact that the State may\nbuild a home for the feeble minded here,\nnorthwest of the city limits. Such an\ninstitution would mear considerable\ntrade for the merchants as the 600 in\nmates would each have at least two\nout of town visitors during the year\nmaking a total of 1,200 a year.\nEach inmate would perhaps have\nseveral times as many making the\nnumber run up into the thousands.\nThe fifty or more attendants and em\nployees will be a considerable addition\nto the city. But then who would be so\nhard hearted and uuchristianlike as to\nsay he doesn’t want to see such an in\nstitution brought here even if the city\nwere not the gainer?\nPLAN A VISIT TO THE\nSUNNY SOUTH\nWhy suffer the cold, with such winter\nresorts as Florida, Cuba and the Gulf\nCoast within your easy reach? Arrange\nto go south; we will quote you rates, sug\ngest routes and prepare suitable itinera\nries for you. For full particulars apply\nto ticket agents. Chicago and North\nWestern Ry, P. F. Kohler, Ticket Agt.\nTelephone 31-x. 1 16-2 t\nTerwedow Suit Lost.\nThe damage suit of Emil Terwedow\nadministrator for the Estate of Carl Ter\nwedow, against the Milwaukee Road was\nlost when tried before Judge Lueck at\nJuneau recently when the judge ruled\nthat the case was parallel to a similar\none which was taken the Supreme Court\nwhich ruled that a person must stop,\nlook, and listen before crossing tracks.\nMr. Terwedow was struck by a train\nMay 26,1912. The ca=e will be appealed-\nSliehm to Coach U. of W.\nThe University of Wisconsin athletic\nboard last week entered into a three\nyear contract with E. 0. Stiehm, of\nJohnson Creek, as director of athletics\nand coach of the football team at a salary\nof §3,500 per year. This is an increase\nof S9OO over his present salary.—Jeffer\nson Banner,\nHOTEL MARTIN\nMilwaukee’s Newest\nErnst Ciarenbacb lohn J. Sweeney\n. President Manager\nWisconsin Street\n2 Blocks from C & N. W. Depot\nRates SI.OO to $3.00 per day.\n50 outside rooms with private bath’ll.so\n20outside rooms with private toilet 11.25\nTHE DEATH ROLL\nMr. Fred Schoechert died at his home,\n1106 Division street, Monday morning\nafter an illness of four weeks. Mr.\nSchoechert was 76 years of age and was\nborn in Germany, coming here in 1868.\nHe was a man who was highly respected\nand well liked by all who knew him.\nThe surviving relatives are the wife,\nthree brothers, two sisters, two sons aud\nfive daughters. The brothers are Ed\nward Schoechert of this city and Louis\nand William Schoechert of Johuson\nCreek, and the sisters are Mrs. Pauline\nBecker, Nebraska, aud Mrs. Matilda\nSchultz, North Dakota. The sons are\nGottholf, this city, and Otto of Hope,\nIdaho, and his daughters are Mrs. Anna\nSpies of Waterloo, Mrs. Albert Martin of\nMarshall, Mrs. FredjZickert of New Mex\nico, Mrs. Fred Nicholson of the town of\nYork and Mrs. Augusta Burkholz of\nHustisford.\nFuneral services were held Wednesday\nafternoon at 1 o’clock at the late resi\ndence aud at i :30 o’clock at St. Luke’s\nchurch. Interment was in Oak Hill\ncemetery.\nMr. William F. Martch, an old veteran,\nanswered the final call at home 210 Em\nmet street Monday morning. Mr. Martch\nwas born in Prussia, June 23, 1838 and (\ncame here when a boy of 15. He iulisted\nit the Civil War in Cos. A, 3rd Wisconsin\nVolunteir Infantry as sergeant, engag\ning in several battles. He was married\nin 1864 to Margaret Nimm who survives\nhim as does also five children: Mrs. Gus\ntav Martch, Mrs. John Hefty, Addie\nand Della Martch Watertown; William\nP. Martch. Washington D. C. He was\na member of 0. D. Pease Post No. 94 G.\nA. R. He was a man who was liked by\nmany and his death is learned with sor\nrow by his host of friends.\nThe following death notice appeared\nin the Chicago Tribune Saturday morn\ning: “William E. Gallagher, beloved\nhusband of Nellie V., nee Mooney, fond\nfather of George E., Edwin J., Bernice\nA,, and Helen R., uncle of Winifred A.,\nat Mercy hospital. Funeral Monday.\nJanuary 19, at 9 a. m., from residence,\n4157 Berkeley avenue, to Holy Angel s\nchurch, Oakwood boulevard aud Vincen\nnes avenue. Burial private. Lexiug\nton, Kentucky, and Watertown, Wiscon\nsin papers please copy.” The decedent\nwas a son of the late M. J. Gallagher,\nfor many years city assessor of Water\ntown. He left Watertown many years\nago.\nThose from out of town who attended\nthe funeral of Mrs, John Wurtzler Sat\nurday were Miss Clara # Mantz, Mrs.\nCecelia Vaughan, Rockford, III.; Miss\nAnna Mantz, Mr, and Mrs. William Hart\nwig, Fort Atkinson; Miss Margaret\nMantz, Adolph Mantz, Janesville; Mrs.\nTheodore Jax, Mrs. A. Vesper, Miss Edna\nZimmermann, Reinhart Mantz, Miss\nElizabeth Stiehm, Mrs. Ole Olson, John\nson Creek; Mrs. Joseph Wilke and son,\nSouth Milwaukee; Andrew Ziebarth,\nMrs. John Ziebarth, Frank Weisenselle,\nColumbus; Mrs. Joseph Ziebarth. Mor\nrisonville,\nMr. Patrick Condon, and old resident\nof this section of Wisconsin, died Satur\nday afternoon in the family home, 510\nNorth Montgomery street. The infirm\nities of old age was the cause of death.\nSince his removal to this city a few\nyears ago from the town of Emmet, Mr.\nCondon was a familiar figure on the\nstreets, and despite his advanced age,\n90 years, enjoyed good health until re\ncently.\nThe funeral of Mr. Patrick Condon,\nwho died Saturday afternoon, took place\nMonday morning. Services were held\nin St. Bernard’s Catholic church.\nMr. A. J. Roach brother of T. B. Roach\nof this city and formerly of\'XVaterloo\ndied at his heme in Los Angeles, Cal.\nlast week, Mr. Roach who is 62 years of\nage is survived by two daughters, Mrs.\nJoseph O’Laughlin, Waukesha and Mrs.\nClyde Leppo, Los Angles. He was well\nknown in this vicinity and was highly\nesteemed by all.\nThe suicide of Felix G. Dehne of Alba\nny N. Y. has been announced Mr. Dehne\nwho was 30 years of age was the son\nof Frederick Dehne of Hustisford.\nIxonla.\nMr. and Mrs. Frank Koeft of Brown\nStreet were callers at the nurg on Wed\nnesday.\nDan Tlfomas of Bangor is visiting\nrelatives here at present.\nMiss Nellie Tornow, Ocoaomowoe has\nbeen dressmaking here the past week.\nMrs. F. F. Machos visited one day last\nweek with Mrs. 0. H. Wills.\nMrs. Wm. Samuel is ill at her home\nhere, being under the care of Df. Peters\nof Oconomowoc.\nMiss Kathryn Lewis returned home\nThursday after visiting a few weeks with\nrelatives at Oconomowoc.\nAbout forty friends and relatives of\nR. P. Lewis and family and Miss Lizzie\nJones gave them a surprise party. The\nevening was spent in games and music,\nafter which refreshments were served.\nAll present spent a most enjoyable eve\nning.\nMrs. John Gibson of Watertown visit\ned several davs last week with her\nmother, Mrs. Liza Davis.\nWOULD PRESERVE\nTHE SMALL TOWN\nAmerican Fair Trade League Ur\nges Co-operation to Fight\nMail Order Menace\nAsserting that “mail order competition\nis the most serious business issue of the\nday from the consumer’s standpoint,”\naud that “the catalog octopus is in a con\nstantly increasing measure sucking out\nthe life blood of the small towns of the\nnation,” Edmond A Whittier, secretary\ntreasurer of the American Fair Trade\nLeague, today issues a statement calling\nupon consumers, retailers and other in\ndependent business interests to co-oper\nate in a country-wide campaign of edu\ncation. to “apprise the people at large of\na very plain duty.” A great mass of\ndata has already accumulated at the\noffices of the League, purporting to give\nample evidence of the “real economy of\ntrading at home.”\n“Let us not be alarmists on the one\none hand nor cowards on the other/, says\nthe statement in part. “This is not a\nmatter of theory. It is an actual and\nstupendous condition that faces, aud\nthreatens to outface, the small town and\nthe countryside. A recent report of our\nResearch Bureau establishes that the\nmail order houses carry on annually\ntwenty per cent, as much business as\nthat done by the country merchants of\nthe nation. In other words for every\ndollar spent by the rural consuming\npublic, the town or community, or sec\ntion is taxed twenty cejits. It is virtu\nally a tax on the general resources, since\nthe endless chain element is missing.\nNot a cent of .his money comes back to\nthe spender or to any other member of\nthe community, as does a goodly share\nof all the money spent with the local\ndealer. It is aa economic fact that every\nmail order purchase by a citizen marks\na blow at the prosperity of the com\nmunity.”\nOne feature of the League’s education\nal campaign, according to the statement,\nwill be a through presentation of figures\naiming to show that “mail order bargains\nare, in very many cases, such in name\nonly.” On this point, Mr. Whittier says:\n“Aside from the social phase is the con\nstantly increasing evidence that the con\nsumer, in perhaps a majority of cases,\ncan trade at home and actually save\nmoney on the yeai’s purchases.’’\nBEE-KEEPERS\'\nCONVENTION\nWill Be Held At Madison Tuesday\nand Wednesday. February\n3d and 4th.\nWisconsin is recognized as one of the\nleading stales in the Union for the pro\nduction of good honey, with over 12,000\nbee-keepers who have over 100,000 colo\nnies of bees and produce annually over\n1-5,000,000 pounds of honey.\nBee diseases both American and\nEuropean Foul Brood are present in our\nstate to an alarming extent. Another\ndrawback to Wisconsin bee-keeeping is\nthe problem of successful wintering. In\nvestigations show we lose over 10\'4 per\ncent due to poor wintering, and over\nper cent due to spring and windling,-a total\nof 15 per cent in all. Come and hear\nthis problem discussed at the meeting.\nInterest your neighbor in the meeting.\nHave him come with you. The Simons\nhotel will be headquarters for all bee\nkeepers.\nThe question box will be a leading\nfeature, bring your questions and don’t\nforget to be ready with “One Important\nThing You Have Learned in Bee-Keeping\nthe Past Year,” for you will be called on.\nThis meeting will be made as interest\ning as possible. Prizes will be offered\nfor the best papers as follows; first, |5;\nsecond, |3; third, 12, and fourth, |l.\nThis promises to be one of the best\nmeetings we have had in years and a\nlarge and enthusiastic attendance is ex\npected.\nWorms the Cause of Your Child\'s\n" Pains\nA foul, disagreeable breath, dark cir\noles around the eyes, at times feverish,\nwith great thirst; cheeks flushed and\nthen pale, abdomen swollen with sharp\ncramping pains are all indications of\nworms. Don’t let your child suffer—\nKICKAPOOWORM KILLER will give\nsure relief—lt kills the worms—while\nits laxative effect add greatly to the\nhealth of your child by removing the\ndangerous and disagreeable effect of\nworms and parasites from the system.\nKICKAPOO WORM KILLER as a health\nproducer should be in every household.\nPerfectly safe. Buy a box today. Price,\n25c. All Druggists or by mail. KICKA\nPOO INDIAN MED. CO. PHILA. or ST.\nLOUIS.\nSells Meat Market\nThe meat market business at 621 Main\nstreet which was conducted by Theodore\nGoetsch the past nine years has been sold\nby Mr. Goetsch to his brother-in-law, W.\nA. Nack, who has been connected with\nthe market for the past three years. The\nmany friends of Mr. Nack wish him suc\ncess in this enterprise.\nTHE LEADER\npublished on Friday and goes out on the\nRural Routes Saturday morning. Subscrip\ntion 11.50 per annum. TRY IT.\nVOLUME LIV. NUMBER 24\nKUENZLI WINS\nIMPORTANT CASE\nThe Decision Effects Hundreds of\nOffice Holders Through\nout the State\nAttorney Otto Kuenzli won an impor\ntant case at the circuit court at Madison\nbefore Judge K. R. Stevens. Mr. Kuenzli\ndefending Ben Marcus in the case, State\nof Wisconsin ex rel Hrank Postal vs. Ben\nMarcus.\nThe decision effects hundreds of office\nholders in the state who have not taken\nout their second citizenship papers. Mr.\nPosiel endeavored to oust Mr. Marcus\nfrom the office of trustee of the village\nof Muscoda according to an amendment\nof the constitution which took effect\nDecember 1, 1912, since Mr. Marcus had\nnever taken out his second papers. His\ntenure of office up to December 1, 1912\nwas perfectly legal, the question arising\nafter that time. By clever reasoning\nMr. Kuenzli showed the court that his\ntenure of office is legal and that In*\nshould not bo ousted from office on ac\ncount of the constitutional amendment.\nThe outcome of the case was watched\nwith interest by office holders all over\nthe state who have not taken out their\nsecond papers. Mr. Kuenzli presented\na lengthy defense which was practically\nentirely accepted by the judge, whose\nopinion was given in last Saturday’s\nState Journal and occupied over a\ncolumn.\nSocial Doings\nMr, and Mrs. Frank Kreiziger enter\ntained the railway mail clerk;; at their\nhome, 214 Cole street, Saturday evening.\nThose present were Messrs.and Mesdames\nGeorge Henke, Lyman Rhodes, Charles\nBruegger, William Collins, Then. Sick,\nGilbert Kiefer, William Christison, Ed\nward Guso. Frank Schwarz; Mrs. Kuos\nter; Messrs. EdwardSipp, Edgar Kuester,\nJoseph A. Scheiber, W alter 11. Scheiber,\nLawrence F. Scheiber; Misses Ella Sipp,\nCora Kuester, Gertrude Kuester. Ella\nSchliewe, Gertrude M. Scheiber, Berna\ndetta M.Scheiber, Sidonia Guse. Lunch\neon and progressive cinch were included\nin the evening’s entertainment.\nA pretty wedding took p\'acy at Jeffei\nson at the parsonage of Rev. H. Moussa\nlast week Thursday where Miss Mary\nBeunin was united in the holy bonds of\nwedlock to Mr. Fred Otto of this city.\nThey were attended byMissLouisePoefke\nand Mr. Walter Otto both of Watertown.\nA reception was tendered the couple at\nth\'j hofne of the brides brother-in-law\nand sister Mr. and Mrs. Henry 0. Kevins.\nThe couple of who have the well wishes\nof their many friends will reside in Mil\nwaukee.\nA marriage of interest took place in\nChicago Saturday, January 17, when\nMiss Mamie Granseo became the bride of\nMr. K. C. Krueger, at the parsonage of\nthe Precious Blood church. The bride is\nthe only daughter of Mr. and Mrs. Henry\nGransee of Chicago formerly of this city.\nThe young couple will reside in Chicago.\nThe dance given by the K.ofC. last\nMonday evening was a most successful\nand delightful affair. Wheeler’s orches\ntra of Watertown furnished the music\nand all report a fine time.—Columbus\nRepublican\nThe Saturday club program Tuesday\nincluded “The Peace Movement,” by Mrs.\nFrank; ‘ Modern Benevolence,” by Miss\nUngers; “Social Service,” by Miss Hertel.\nThe Corby club program Monday night\nincluded a book review —• “By What\nAuthority,” Very Rev. Robert H. Benson\n—Miss Moran,and a reading,“American\nism,’ Archbishop Ireland —Miss Link.\nA dancing party will be given at Ohm’s\nhall, Pipersville, next Saturday evening,\nJanuary 24. The Imperial orchestra\nwill play and the public is invited.\nDr. and Mrs. John S. Kings were host\nand hostess at a six o’clock dinner given\nat their home in N. Washington street\nMonday evening. Covers were laid for\ntwelve.\nMrs. R. W. Lueck entertained a few\nfriends at her home in Washington St.\nThursday afternoon.\nNotice\nHaving disposed of my meat market i\nhereby request all those indebted to me\nfor meats to settle accounts before Feb\nruary 1, 1914. All bills against me\nshould also be presented before that date.\n21-2 t Theodore Goetsch.\nBuys Lumber Yard\nThe Barker Lumber company of this\ncity have purchased the lumber yard of\nE. Marlow & Son at Ixonia and have\nbeen given possession. A manager will\nbe placed in charge of the plants.\nWho is selling furniture cheap? The\nCentral Trading Cos.\nChildren Cry\nFOR FLETCHER’S\nCASTO R I A', 'batch': 'whi_elizabeth_ver01', 'title_normal': 'watertown weekly leader.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85040721/1914-01-23/ed-1/seq-1.json', 'place': ['Wisconsin--Dodge--Watertown', 'Wisconsin--Jefferson--Watertown'], 'page': ''}, {'sequence': 1, 'county': ['La Crosse'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn86086186/1914-01-23/ed-1/seq-1/', 'subject': ['La Crosse (Wis.)--Newspapers.', 'Wisconsin--La Crosse.--fast--(OCoLC)fst01207161'], 'city': ['La Crosse'], 'date': '19140123', 'title': 'Nord stern. [volume]', 'end_year': 1921, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Available on microfilm from The State Historical Society of Wisconsin.', 'Description based on: Jahrg. 1, no. 2 (6 Dec. 1856).', 'In German with some columns in English.', 'Supplements accompany some issues.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'La Crosse, Wis.', 'start_year': 1856, 'edition_label': '', 'ocr_ger': 'Der „N ordstcrn" ist\ndie einzige repräsentative\ndeutsche Zeitung von 2a\nLrosse\nö 7. Icitirqariq.\nGolil>ciic>l Mcnlcrci\nSieben Personen bei einen: Aus\nbruchsversuch in Mtzla\nlromcl erschossen.\nMcAlestcr, Lkla, 20. Jan.\nSieben Personen wurden erschossen\nund drei durch Schüsse verleyr, als\nMoulag Abend drei Sträflinge aus\ndem Slaarsgesänginß >u McAlestcr,\nQkla., zu entfliehen versuchten und da\nbei von Warlecn niedergestreckt wurden,\numer den Opier befindet sich John\nR. Thomas von Muskego, ehemals\nBundes-Disttlklsrichier und einmal\nRepräsentant des Staates Illinois.\nTrotz der riesigen \'Aujregung, die umer\nden übrigen 1,500 Insassen entstand,\nmachte keiner einen Fluchtversuch, ob\nglieck viele von ihnen die dreiDefperadoS\ndurch Zurufe anfeuerten.\nTleTodtem: John R. Thomas,\nMuskego. eheii\'.aliger Bundes-Tistrikls\nnchler; H. H. Drover. Superintendent\nder Beriillo - Abtheilung; Patrick\nOales. Httss-Oberwarter; F. C Go\ndercy, Wärter; Choia Reed, Sträfling;\nThom. Laue, Sirüfling; Cyas. Koontz,\nSträfling. Die Verletzten: I.\nMari!. Thürichließer; C. L. Wood.\nWaiier; Mary Foster, Telephonistin.\nTie drei Sträflinge hatten alle sich\nihnen in den Weg stellenden Personen\nso schnell uiedergefcho-eit, daß die\nWäller gar nicht zur Besinnung kamen,\nbis die T:ei in\'s Freie gelang! Ware.\nDie drei \'Ausreißer hatten dem Tbü!\nschlicßer Joyn M ott den Tdarichlüs\nsel entrisse, nachdem sie ihn selbst ver\nwunsel hallen. Dann rissen sie die\nTelephonistin Mary Foster m t sich in\nden Hos und benutzten das Mädchen\nals Deckung gegen die Schüsse der\nWärter, bis sie von einer Kugel in s\nBei getroffen niedersank.\nSobald die drei Sträflinge außen\nangelangt waren, fuhren sie aus dem\nBnqgy des Wärters Dick fort, wurden\njedoch bald von anderen Wärtern, die\nzu Pferde wa en. durch einen wahren\nKugelregen todt niedergestreckt. Wie die\ndrei Sträflinge, die in der Schneider\nwerkstatt arbeiteten, die Revolver be\nkommen haben, konnte noch nicht fest\ngestellt werden.\nUntersuchung in Colorado.\nDenver, Colo.. 22. Jan.\nGouverneur E. M. Ammons von\nColorado versprach am Mittwoch, ,ine\ngründliche llnleriuchnng der To u nenie\nanstellen zu wollen, die ihm von d r\nvon der Federation of Labor des Sl, a\ntes a s seinem Wunsch ernannten Emn\nmission gestern zugestellt n urden. De.\nGouverneur will sich erst vergewissern,\nob die von der Commission erhobenen\näußerst schwerwiegenden Beschuldi\ngungen auch aus Wahrheit beruhen, be\nvor er andere Maßnahme trifft.\nDie Commission erhebt schwere An\nklagen gegen die Miliz; verlangt die\nAdbernsung des Generaladjuianien\nChase und anderer Oificiere der Na\ntionalgarde, die Entlassung aller Mc\nlizsoldaie und Emfernuiig der Gru\nbenwächier und Privatdetektivs u. s. w.\nEine Pockenepidemie.\nNiagara Falls, N. A, 22. Jan.\nNach einer Ankündigung der städti\nschen Gesnndheilsdehörde in Niagara\nFalls, N. N-, sind dort in der letzten\nZeit nicht weniger als hundertundzwei\nFalle von Pocke amtlich gemeldet wor\nden. Die Siadtbehörde trifft deshalb\nAnstalten, die Abhaltung von Ver\nsammlungen zu verbieten und alle Ver\nsammlungslokale zu schließen.\nUnterseeboot gefunden.\nPlymouth, England. 22. Jan.\nDa dis jetzt alle Nachforschungen nach\ndem vorige Woche mit elf Mann an\nBord unweit Pchmouth gesunkene >\nbritischen Unterseeboot „A 7" vergeb\nlich geblieben waren, hatte die Admira\nlität eine Anzahl ihrer\'Hydroaecoplänc\nmil der systematischen Absuchung der\nWhiiesand Bay. wo das Unglück sich\nzulrug beausiragt.\nIm Laufe des Tages gelang es. die\nLage des gesunkenen Fahrzeugs in ei\nner Tiefe von zweihundert Fuß festzu\nstellen.\nStrlithcona gestorben.\nLondon, 21. Jan.\nLord Stralhcona and Mount Royrl,\nOberkomiNlffär des Dominium Ca\nnada. ist am Mittwoch in der zweiten\nMorgenstunde in London im Atter von\nnahezu 94 Jahren gestorben. Canada\nHai dem Verstorbenen zum großen\nTheil seinen wunderbaren Ausschrrung\nin den letzten Jahrzehnten zu verdan\nken.\nIM" Plant eine Reise nach dem\nsonnigen Lüden.\nWarum unter der Kälte leiden, wenn\nsolche Winier-Reiorls wie Florida.\nCuba und die Golf Küste in Ihrem be\nauemen Bereich liegen? Arrangiren\nSie eine Reise nach dem Süden: wir\nwerden Ihnen Raten auvnrrn. Noucen\nvorschlagen und ene vav nde Tour\nxreporcren. Für volle Einzelheiten\nsvrecbl bei Tick,:-Agenten der Chicago\nund Nonhwestern-Bahn vor.—Anz.\nl Heraukqrgedru von der /\n- Nordstern Bnoeiattou. Lr EroNe. Wi. t\nI Fort Bliß.\n5000 inorikcinischc Soldaten,\nFrauen und Kinder sind jetzt\nKriegsgefangene.\nEl P-rso, Ter.. 21. Jan.\nUnter der Obhut amerikanischer Bun\ndeskavalleiie wurden die 3300 mexika\nnischen Soldaien sammt ihren 163!\nFrauen und Kindern, die nach der\nSchlacht bei Ojinaga, Mex . gezwungen\nwaren. Zuflucht auf amerikanischem\nBoden zu suche, in Fort Bliß, Tex.,\ninleriiilt, wo sie aus unbestimmte Zeit\nals Knegsgesange gehalten werden.\nGeneral Salvador ist noch immer Be\nfehlshaber seiner Truppm. doch uiiler\nstehl er dem Oberde eh. Brigadegeneral\nHugh L. Scott von der amerikanischen\nBundesarmee. Dem merikai ftclien Ge\nneral wurde seine Würde hauptsächlich\naus dem Grunde belassen, damit das\nZeltlager schnell orgamsirt und leichter\nin Ordnung gehalten werden kann.\nGen. Mercado. sowie auch die übrigen\nüber die Grenze geflohenen mexikani\nschen Generale C.slro. Römer und\nAdana gaben ihrer warmen Anerken\nnung über diese Vergünstigung Aus\ndruck\nBald nachdem die Flüchüinge die\nZüge verlassen hatten uns in dem um\nzäunten Lager uiuergebrachl waren,\nbrannten auch schon die Lagerfeuer, und\ndie erste Mahlzeit der hnirgrigen Mexi\nkaner in Fort Bliß brodelte in den Kes\nseln. Wie lange die mexikanischen Sol\ndaten und sonstigen Flüchtlinge von\nOnkel Sam beköstig! und bekleidet wer\nden. ist noch nicht bekannt.\nHandelsverträge.\nBerlin, 21. Jan.\nStaatssekretär des ReichsamlS des\nInnern Dr. Delbrück kündigle am\nDienstag im Reichstag an. daß die\nRegierung sich entschlossen habe, an\nden bestehenden Handelsverlrägen scst\nzuhallen, die süinmttich im Jahre 1917\nrevidlN bezw. gekündigt werden kön\nnen. Die Regierung, sagte er, werde\nweder eine neue Tarifvvrlage einrei\nchen, noch die bestehenden Verträge\nkündigen. Die Initiative müsse daher\nvom Ausland erc r ffen werden, widri\ngcnf\'.lls die Verträge au ho naüsch er\nneuert werden.\nÄnichernend hat die Regierung eine\nRevision der Handelsverträge ausgege\nben, weil sie einen gewaltigen Kampf\nzwischen de Befürwortern eines klaren\nund lückenlosen Tarifs und den Resor\nmaioren, die gegen die hohen Einfuhr\nzölle auf Lebensmittel eifern, befürchici.\n„Horchn" fahrt heim.\nVera Cruz, Mex., 22. Jan.\nTer deutsche Gesandte. \'Admiral von\nHintze, und Präsident\' Wilsons persön\nlicher Vertreter John Lind waren am\nMittwoch Gaste des Eommciiidancen\ndes deut>chen Kreuzers Hertha, welcher\nnach Deutschland abfahrt. Die Hertha\nist von der Dresden abgelöst worden.\nAl\'M\' Ll (\'Mkilliiis!t\'.\nIm Kcriser-WÜHelmslcmd ist eine\nneue Tropfsteinhöhle entdeckt worden,\ndie durch ihre ungeheueren Timcnsio\nnen besonderes Interesse erregt. Sie\nstellt eine riesige gewölbte Halle dar,\ndie die Form einer ungeheueren Kircke\nhat. In ihre: höchsten Höhe ist sie\n162 Meter hoch. Von der Ausdeh\nnung der neugefundenen Tropfstein\nhöhle kann man sich ferner einen Be\ngriff machen, wenn man hört, daß sie\n1400 Meter lang ist. Tie Akustik\nder Tropfsteinhöhle ist vorzüglich,\ndenn jedes Wort, das darin gespro\nchen wird, soll einen brausenden\nKlang haben. Den Eingeborenen des\nLandes muß die Höhle, die auf dem\nrechten Mer des Baches Jukan gei\ngen ist, seit vielen Jahrhunderten be\nkannt sein. Dies geht aus Gerät\nschaften, Warfen und allerlei anderen\nGebrauchs .\'gensländen hervor, die\nzum Teil ictwn durch ihre Form und\nArt daraus hinweisen, daß sie vor vie\nle! hundert Fahren im Gebrauch wi\nrkn. Tiete Gegenstände haben ein\ngroßes völkerkundliches Interesse. Es\nwurden aber darin auch Gebrauch-ge\ngenstände und Waffen aus der neue\nsten Zeit gesunden, und es erweckt den\nAnschein, als ob die Tropfsteinhöhle\nvon den Eingeborenen als eine Art\nvon Kriegskammer benutzt worden\nwäre. Durch ihre recht versteckte\nLage erscheint sie dazu besonders ge\neignet. Ter Eingang der Höhle ist\nverhältnismäßig sehr klein und von\ndickstem Buschwerk bedeckt. An viele!:\nStellen der Decke fäll; Sonnenlicht\nin die Höb\'e. und es bat den \'Anschein,\nals ob die Lichtösfnnngen von Men\nschenhänden gemacht oder erweitert\nworden wären.\nzM" Hür Frostbeulen und aufge\nsprnngene Haut.\nFür erfrorene Ohren. Finger und\nZehen, aufgesprungene Hände und\nLippen. Frostbeulen. HautauSbrüche,\nroihe ,nd rauhe Haut gibt ei nichts\nbesseres wie Bucklen Arnica Salbe.\nDas beste Mittel sur alle Hau!-i rank\nheiien. juckendes Eccenia, Pi.es eic. 25c.\nBei allen Avolh\'kcrn oder per ck st.\nH. T. Bucklen dc Co . Philaderph a oder\nSt. Louis. -An;.\nPräsident Wilson s Trnftdotschnft.\nverbot ineinanX\'rgreifcndcr AufsichtSbebÖrden. der\nder Zwischenstaatlichen Verkehrs (Lomnuision. Genauere IX\'sinition\nnon „Beschränkung des Handels\'. Schaffung einer\nZwischenstaatlichen Industrie Kommission. t?er\nbot sogenannter „Holding Companies".\nWashington. D C., 21. Fan.\nIn der dazu anberaumten gemein\nschaftlichen Sitzung beider Häuser des\nCongreffeS verlas Präsident Wilson\nam Dienslag seine angekündigte Son\nderbolschasl. in der er das Programm\nder demokratischen Adininlstraiion be\nzüglich der Trustpolilik entwickelte. Ter\nPräsident erklärt, diese Problem „de\nschäitige jetzt das Bolk" und Iviedeiholie\nseine frühere Erklärung, daß „private\nMonopole nicht zu rechtfertigen und\nunerlräglich" seien. Tie gewissenhaf\nten Geschäftsleute des Lande, sagt er.\nwerden nicht ruhen, ehe den jetzt als\nBeschränkung des Handels verrufene\nGeschästsmelhoden gesteuert sei.\nEs handle sich jetzt darum, dem Pro\ngramm des Friedens einen weitere\n\'Artikel einorsuge, des Friedens, der\ngletchbedruieno sei mit Ehre, Freiheit\nund Wohlstand.\nG-oßeii W-rih legt der Präsident in\nseiner Botschaft daraus, daß alles in\nfriedlichem Zusammenwirken vor sich\ngehen iolle.\nTie Zeit des Kampfes zwischen der\nGeschäftswelt und der Regierung, er\nklärt er, sei vorüber, und es solle jetzt\ndas gesunde geschäftliche Urtheil zum\nWorte kommen; Geschäftswelt und\nRegierung seien beide bereit, sich aus\nhalbem Wege entgegenzukommen, um\ndie geschäftlichen Methoden mit der\nöffentlichen Meinung und den Gesetzen\nin Einklang zu bringen.\nSieben Hauptpunkte.\nTie Grundlage der von ihm beab\nsichtiglen Gesetzgebung legt der Prä ff\nsidenr in folgenden Hauptpunkten fest.\nI. Verbot ineinandergreifender Aui\nsichtsräihe großer Corporalionen\nBanken. Bahnen, inoustrielle. geschäft\nliche oder öffenckiche Betn-bsgesellschas\nten.\n2. Befugniß der Zwischenstaatlichen\nBerk.hrSkviilutijsiou. die Finanzen der\nBahnen, namentlich ihre Werthpapier-\nEmissionen zu beaussichligen; letzteren\nsollen die Quellen ichl verschlossen\nwerden, sich die Mittel zum angenieste\nnen Ausbau der Transporlgelegenhei\nten zu beschaffen denn das Wohldes\nLandes und das der Bahnen sind in\ndieser Hinsicht eng verbunden.\n3. Genaue Definition der „Beschrän\nkung des Handels" als Ergänzung zum\nSherman-Gesetz.\n4. Schaffung einer Commission, di\neinerseits den Gerichten an die Hand\ngehen, andererseits als eine Art\nClearinghouse durch Auskünfte der\nGeschäftswelt behilflich sein soll, sich\nden Gesetzen anzupassen.\n5. Verbot sog. „Holding Compa\nnies"; ferner soll versucht werden, die\nfinanzielle Betheiligung Einzelner an\neiner Reihe von Corporalionen zu be\nschränken\n6. Persönliche Bestrafung der Ein\nzelpersonen. die für gesetzwidrige Me\nthoden veranlworUich sind.\n7. Einzelpersonen sollen das Recht\nhabe, bei Lchadenersatzprozessen gegen\nCorporalionen sich aus etwaige Ent\nscheidungen und Beuelsma\'ericck aus\nRegierungSprozesikn zu stützen, ohne\ngezivungen zu sein, von sich aus die\nLast des Beweises zu tragen.\nDes Präsidenten Ausfüh\nrungen.\nIn seiner Ansprache an den Congreß\nerklärt der Präsident d-esenr. er hatte\njetzt den Augenblick für geeignet, das\näußerst schwierige und verwickette Pi o\nblem der Trusts und Monopole anzu\nfassen, das er schon in seiner Jahres\nbotschasl tin Dezember angedeutet habe.\nTie Finanzvorlage, die bisher das In\nteresse in Anspruch genommen, sei jetzt\nerledigt, und noch mehr, die öffentliche\nMeinung über das Trust- und Mono\npolproblem beginne sich sehr rasch zu\nkläre. AngesichiS der Monopole, die\nsich allerorleii vervielfacht haben, und\nangesichls der verschiedenen Methoden,\n>v;e jie geschaffen und auickechl erhallen\nwerden, scheine sich doch allmählich fast\nüberall eine Einsicht gellend zu machen,\ndie für die Pläne der Regierung einen\ngulen Bode abgebe, und es ermögliche,\nmil Verlrauung und ohne Verwirrung\nvorzugehen.\nGesetzgebung, sagte der Präsident.\nHai ihre eigene Aimv\'phare, wce alles\nandere, aus zu der Aimosphäre des\nwechselseitigen Entgegenkommens und\nVergehens, in der das omenkannch\nVolk jetzt lebt, kann man sich nur be\nglückwünschen. Tic e sollte unseie\nAufgabe viel weniger schwieriger mc>-\nchen. als wenn die Regierung mil der\nAtmosvhäre des Argwohns und des\nWiderspruchs zu rechnen hätte, d:e so\nlange es unmöglich gemacht Hai. solche\nFragen in leidenichasilichrr Gerechtig\nkeit in Angriff zu > eh-\'en. Alle er\nfolgreiche ccnstrukllve Gesetzgebung ver\nkörpert immer eine gereifte und über\nzeugende Erfahrung. Gesetzgebung\nmernr Auslegung, nicht Schep\'urg.\nund es liegt klar vor uns, in welchem\nSinne wir uns an die vorliegende\nF,age machen werden: unsere Meinung\nüber dcesc.be ist nicht eine spontane\n!k>a Crosie. WiS.. Freitag, den st\'Z. luimar I\'.\'l I.\nübereilte, sie entspringt vielmehr der\nErfahrung einer ganze Generation,\nsie hat sich allmählich zeklän und dic\nfenlgen. die sich lange gegen dieselbe\ngesträubt und derselben eniqegengeai\nveilet haben, geben nun auiuchug „ach\nund suche ihre Geschäfte mo derselben\ni Einklang zu bringen.\nUmschwung der Auffassung.\nTie großen Geschäftsleute, die Mo\nnopole organisinen und thaliachuch Tag\nfür Tag ausübten, haben dis ,eyr stets\nentweder deren Vorhandenst. geleug\nnet. oder dieselben als unumgänglich\nnöthig für die Entwicklung des Ge\nschäfts, der Finanzen und der Fndusttie\ndargestellt: indeß bat sich die öffenckiche\nMeinung mehr und mehr gegen sie ge\nnchlel, der durchschnittliche Geichätts\nmann Hai eingesehen, daß Freiheit imi\nFriede und Erfolg gleichvedeuiend >,t.\nund tchliefiltch haben wenigstens die\nMeister des Geschäfts großen Lu;:.\' be\ngonnen einzulenken.\nWir beabsichtigen glücklicherweise nickt\ndas Geschäft, dos in crusgeki:\'. \'Weise\ngeführt ist. zu behindern oder zu störe,\nder Kamps zwischen Regierung und\nGeschäft ist vorüber, und wir schicken\nuns jetzt an. dem gcschäitlichei. Gewissen\nund der geschäftlichen Ehre der Landes\nden denkbar besten geschäftlichen Rath\nzu geben, Regierung und Geichastsweli\nkommen einander auf halbem Wege eul\ngegen, um die GeschaslSmeih.d-n „nt\nder öffentlichen Meinung uns den Ge\nsetzen in Einklang zu bringen. Grr -de\ndie besten Geschäftsleute verunheireu\ndie monopolistischen Geschästsmelhoden\nund deren Wirkungen, und instinkttv\nschließt sich dieser Ueberzeugung die\ngroße Menge der Geschäftsleute mi\nganzen Lande an. Wir treten als ihr\nSprecher aus. u. darin ist unsere Slärle\nuno unser Glaube an das, was wir jetzt\nzu erreichen wünschen. Wenn der ernste\nKamps vorüber, wenn die Ansichien\nausgeglichen sind, wenn Diejenigen, die\nlhic Geschäf.snielhvden andern müssen,\nBch nt denen vereinige, die diese Aen\nderungen verlangen, dann wird es\nmöglich sein, die in einer Weise durch\nzuführen. die so wenig als möglich Um\nwälzungen verlang!, und so leicht als\nmöglich; es scll nichls \'Wesentliches ge\nstört, nichts mit der Wurzel ousgerip\nsen, keine zusammengehörenden Theil\ngetrennt werden, denn glücklicherweise\nsind in der That gar lerne drastische\noder neuartigen Maßregeln nöthig.\nBekämpfung des Mono-\nUnsere Ueberzeugung ist, sagte der\nPiästdeni, daß Monopole unenlschuld\nbar und unerlräglich sind, und duiaus\nstützt sich un>-r Programm, das um\nsassend, aber weder radikal noch unan\nncymbar ist, u>d die Aenderungen, die\nvorgeschlagen werden, find solche, au,\nwelche die Äeschäsiswel! bercils ivariei.\nDieselbe wann in erster Linie aus Ge\nsetze. die meinandergreckci.de Aussicht\nraihsbehörderi wirtlich verbietet, sur\nalle große Corporalionen, bei denen\nsich der unnatürliche Zustand heraus\ngebildet hat. daß vielfach Die, die bor\ngen, und Die. die lechen, der Raufer\nund der Verkäufer lhaiiachlich dieselbe\nPersonen sind, indem enr und dieselben\nPersonen unter verschiedenen Finnen\nund in verschiedenen Combinaiionen\nherüber und hinüber Geschäfte neiden:\ndaß ferner Diejenigen, d e vorgeben, zu\nronknrnren, thatsächlich da ganze Feld\ncontrosiiren. Selbsiv.-.llanditch ist bei\nder \'.Auslösung dieses röstenis genü\ngend Zeit zu lassem laß dieselbe sich\nohne Verluste und ohne Verwirrung\nvollzieht.\nUnnatürliches Verhältniß.\nEin derariiges Verbot ineinander\ngreifender Direktoren: cbörden r arde\nverschiedene ernstliche lo clstande veici\nligen. bkckpiclsweise det- daß die Lener\nder großen Finanzim: nilc auf dicse\nWeife vielfach die Pico iilnehmen, w?\nvon rechlSwegen der un hängigen In\ndustrie zukommen: es rd ein neuer\nGeilt und neues Leben neue Männer,\nin die Leitung der gr r> industriellen\nUnternehmungen komv v \'dem sich Vi\nelen, die jetzt dienen n .wo sie an\nleitender Stelle lei \' Ten. eine Zu\nkunft eröffnen, die : lunge LOuie\nder Industrie zutühren w:rd.\nGenaue Teiln:! n nöthig.\nFerner erwarte d - d m Span\nnung eine genaue ju, che Definition\nder Auslegung der Am .rustgctetze, die\ndis jetzt noch fehle. - äns sei nn Ge\nschaslsleben hinderlick als Ungewiß\nheit. nichts enlmuib der als die\nNothwendigkeit, das b \'o zu tragen,\ngegen das Gesetz zu wßen. solange\n! dielcs noch nicht ev ig klargestellt\noft. Nachdem man durch Ersch-\nFuug genug mit i Neihoden der\nj Monopole bekannr. vollends n-chi\noaehr \'ckwer. di- Uv beit zu besei\n! ngen. indem man man iestletz-,\nwas p.gen das GeO d damil slras-\n.st.\nDie Industriek o m m i s s i o .\nDie Kesäiäslswell brauche aber nichi\nnur klare Gesetze und Strafbestimmun\ngen. sie brauche auch Rath und \'Aus\nkunft, was sie am besten von einer Bun\ndes Fttduttriekomniission bekomme\nivnine. deren Schaffung im ganzen\nLande ohne weitere mit Freude be\ngrüßt würde: \'Ausgabe dieser Commis\nsion wäre >s nicht, nt den Monopolen\nBedingungen zu vereinbaren oder durch\nUebernahme der Controlle der Regie\nrung gewissermaßen die Vercimivorlung\niitt deren Geschäfte auszuladen, vielmehr\nsollte sie nur als berathende Stelle eine\nArl Cleap\'nghvuse bilden, zum besten\nder ösfenii\'cüeu Meinung und der gro\nßen Unieiiiehiiiuiigkn,- sie könnte den\nFiilerc sjen dieser Unterchmungen ge\nrecht werde in Fällen, wo die Geringe\nversage,\nPersönlich e V e r a lwvl l I i ch°\nleit.\nWeitsichtige Geschäftsleute werden eS\nmit Genugiyuuiig begrüßen, wenn wtt\ndie Frage der Veraittwonlichke!\'. l der\nWeife regeln, daß >m Falle nöthiger\nBestrafung sich dieielbc nicht gegen die\nCorporattv als zolche. sonder gegen\ndiejenigen Personen, die im bestlimnie\nFalle tur die gesetzwidrigen Handlungen\nveranlwortlich sind richten; es sollte das\nZiel der Gesetzgebung sein, diese ver\nantwortlichen Personen, die sich m je\ndem Falle Nachwelten lassen, und das\nGeschäft, nur dem sic Mltzvrauch treldi n.\njuristisch streng getrennt zu hatten, und\nBeamte und Direktoren daran zu hin\ndern. daß sie durch gesetzwidrige Ge\nschasiswelhoden ihren Ruf und den der\nGetchüflSivett des Landes auf\'s Spiel\nseyen.\nDie „Holding Companies".\nIn der gegenwärtigen Zeit der Rir\nsenvermogc yängen ver>chiedene ge\nschäftliche Unternehmuiige auch ohne\nlneinaiivergreifende Dtteklvceiibehvrdeu\nvielfach dadurch zusammen, daß der\ngrvgere Auihrtt iy,er \'Aktien i einer\neinzigen Hund, oder in Handen einer\nGruppe von Einzelpcrsriien vereinigt\nist. Cs herrscht kein Zweifel, daß die\nftg, kigeittlichen „Holding Companies"\nverboie werden lollleu; daun kommt\nnoch die Frage, oö cs euizciuen Perso\nnen gestartet reu soll, diest-tbr Rolle, wie\ndie genauine Ost ~ i, chaficn zu spielen ?\n2l stch veavjichrig: vie Regierung ge\nwiß mchl, irgend zu verbieten,\nBch soviel Ltttten zu :„uten, als ihm seme\nVeihailnijte gettalicn; ur biesrm Falle sei\njedoch d,e Frage zu erwägen, ov nickst ein\nGejetz zu rchafseu iv.rre, ach dein Aktio\nnäre, die I verschiedenen Getelifchasien.\ndie an sich unabhängig voneinander sei\nfrUeu, tonirvUirende Einfluß haben,\nduß ihnen aus Griiud ihrer Aknen zu\nstehende Sttmilectst nur in erner von\ndiesen Gesellschasien ausüben dürfen,\nwobei ihnen die Wahl der Gesellschaft\nselbstverständlich übr-nassen bliebe.\nRecht aus Entschädigung.\nEin weiterer Punkt, der ernstliche\nErwägung erfordert, ist der der Ent\nschädigung solcher Geichäsisleule, d,e\ndurch große (Korporationen in ihren\nGeschäften geschädigt worden, oder gar\na die Wand gedruckt morden sind.\nDiesen sollte das Recto zustehen, bei\nErsatzklagen sich aus das Beweismaie\nruck und die Eniicheidunge etwaiger\nRegierungsprozksie gegen die betreffende\nCorporation zu stützen, wenn dieie schul\ndig beiunden wurde, und die Verjäh\nrungsfrist in solchen Fä en soll erst vom\nTage der llnheckssprechung > dem be>\ntreffenden Regierungsprozeß an berech\nnet werden. Es ist ungerecht.. wie es\nbis jetzt geschieht, in solchen Fallen die\nganze Bewkilast dem individuellen Klä\nger auizuladeir. der unmöglich Erhe\nbungen in dem Umfange anstellen kann,\nwie vie Regierung.\nEin ernster \'Appel l.\n„Ich habe." schlvsi der Präsident\nseine Boiichasl. .! tzi den Fall Ihnen\nvorgelegt. w:e er ruäi in den Aua>> des\nj Volkes, und, wie ich hosse. auch \' i den\nIhrigen darstclll. Ich habe Ihnen\nnieine Vorschlage gemacht, Sie aus Ihre\nP \':cht dem Volke gegenüber hingeivi\'\nien . es sind keine neuen Fragen, um die\nes sich bandelt, und sie iiiupen jetzt in\nAngrisl genommen weiden, wenn wir\nuntere Ge\'etze mil den Ansichten und\nden Wünschen des Lander ur Emkcang\nbringen wollen Solange die von nur\nangrdeuieien Resormen nicht dnrchge\nsuhrl sind, kan sich der rechtlich den\nkende Geschäftsmann nicht zufrieden ge\nben, in dein wir in dreien Fragen unse\nren gegebenen Becaiher zu sehen haben.\nWir wollen Htzi unserer Vertagung\nde Friedens, der Ehre, de- Freiheit\nund des Wohlstand, einen neuen Ar\nlckel anfügen."\nO *\nMo gespannter Ausmerüamkeit böi\ni\'n die Senatoren und lbproseniantrn\na\' ; -s Wo:!, welches de: P\'- :?nt\nspi! \' nd brachen ,immer \' leb\nhaften \'Applaus auS. nenn Piasioent\n\' Ent*r*d in the Palt Office In >\n\' laCrwsp. Wii., nt üecomi nt**n. ?\nRütli ;r Pcriliuisk.\nDusl erklärt die ktasterschiiüffeleien\ngewisser Zeserniaiore für\nfilleiigesäl\'rdend.\nPhiladelphia. Pa.. 22. Jan.\nErpräsideiil Tasi tadelte ani Mitt\nwoch Abend in einer gelegentlich der\nAbbilußprüsung einer Ipesigen Han\ndelsschule in sarkastischer Wecke die Re\nform beslrebungen gewisser Leuie. deren\nZiel angeblich die Erreichung einer rei\nneren Ten vkraiie nd grcherer socialer\nund individueller Freiheit ist. Herr\nTust annie diese Lerne Demagoge\nund unpraktische Schwärmer. Er grd\nzu. daß etliche Resorinbewegungen, lne\nin der letzten Zen eingeleitet wurde,\nguie Folgen gehabt haben, ermahnte\naber dann die Zöglinge der Schule,\nsich nicht de Kvpi von de Retorina\nwien verwirren, sondern sich mehr ooni\ngetunten Menschenverstand leiten zu\nlassen.\nProscssor Tast wandle sich vornehm\nlich gegen die Elörieiung sexueller Fra\ngen l Gcgeiiivart von Männern und\nFcaue. die nur dazu cingeihaii sei\nda- Schamgesulü abzuiödlet\'. Als\nlächerlich vezeichneie er die Vorgänge,\nwie sie in letzter Zen v icrs beobach\ntet wnrden, daß Schulkinder an den\nStreik gingen, weil einer ihrer Lehrer,\nden sie gi leiden mochten, nach einer\nanderen Schule versetz wurde. Als er\noch jung war, sägte er hi".,, nd Los\nist nicht gar so lange her. hätten Kin\nder, die etwas Deiariiges gewagt hät\nten. zu Haust eine gehörige Tracht\nPrügel bebau,neu. doch heule scheine\nhiistensche Ettern ihre Kiudcr noch zu\nloden und auf sie stolz zu sein, wenn sie\nunartig sind.\nSterllschil\'lppkli.\nDie Föhn A. Salzer Seed Ev.\nverjchissl zur Zeit erne große Bestelln g\nnoch Aranda de Duero, Spa\nnien, via New?jork, einhaltend eine\nallgemeine AuSinahl von Wiscvnsiner\nSämereien, die auch im AuSlandc einen\ngroßen Ruf erlangt haben.\nZwei Jndustricritter. die sich Ed.\nBairnS von New Bork und Wm. Far\nrar von Chicago nannten, wurden von\nder Polizei aus den Schub gebracht\nSie böte in der Sladl nachgemachte\nPelze zum Berkauf an, trotzdem zur\nZeit echte Pelze schon so billig und da\nbei unverläuslich sind.\n- Auf Vertilgung der Geiundh.ilS\nbehörde ist Frank Vasicek umersagl\nworden, in 110 Siid-Fronlstraße eine\nGeiberei einzurichic. weil dieselbe\nmitte in der last sich aIG.-i eiii\nschadcn erweisen müßte. Eine solche\nIndustrie gehört andecSwo hi, und\ne> pasiender Platz wird leicht zu finden\nsei.\nFöhn Pitz, der Kastellan vom\nCourihiruse. der bekanntlich letzte Woche\nvon einem schuminen Unbill belrosscn\nwurde, ist aus der Genesung.\nEin höchst ungesundes nd\nverkrüppelte Kind der Legisla\nI r von Wisconsin icheint das neue\nHeircuhsgejetz zu sei!\nTie Milwaickee-Bahn Hai den\nGesuchen von Geichästscrisende und\nAndern nachgegeben und läßt ihre\nZug No. AI von La Crosse wieder um\n5:30 Morgens stall um 4:50 ab\nsahren.\nldiH\' Trummond macht eine Spe\nzialität aus guten und schwierigen Re\nparaturen von Uhren. 522 State Str.\nIBL-\'" Feuer- und Lebensversicherung.\nAusschreiben von Besitztiteln und Hypv\niheken und Geldverleihen zu 5 Prozent\naus La Erosser Sicherheiten ist meine\nSpezialität. B. H. Bolz, 024 Sud\n7. Straße. Beide \'Phones. Anz.\nWer nur seine Schuldigkeit\nthut, thut nicht seine Schuldigkeit.\nEine Schule für Frauenrecht\nlerinnen will wun in Michigan errich\nten. Gu\'er Gedanke ! Es ist endlich\neinmal an \'e- Zeit. daß d,e Sussra\ngeuen lernen, was sie eigemlich\nwollen.\ntl- Würmer die Ursache der Lei\nden Ihrer Kinder.\nEine übelriechender unangenehriier\n\'Athem, dunkle Ringe um die Augen, i\nzu Z,eilen aufgeregt, mit großem Durst: >\ndie Backen seuerroih und dann wieder!\nbleich; de Leib geschwollen, mit schar!\nsen. kneifenden Schmerzen sind Ze>- j\nchen von Würmern. Lasien Sie Fhre!\nKinder nicht leiden Kickapoo Ltzorm\nKiller gibt sichere Linderung. Das\nselbe lobtet die Würmer, während das\nabführende Mittel den Körper regu\nlier und die unangenehmen Folgen der\nWürmer beiemg:. Kausen Sie noch\nheute eine Flashe. Preis 25c. Bei\nollen \'Apothekern oder per Post. Kicka\npoo Fndian Medicin Co , Philadelphia\noder St. Louis. —An;.\nWilson die Uebelstände auszählte, die\nseiner Anfichl nach abgestellt werden\nwüsten\nMil Ausnahme des progressiven\nRepräsenlanicn Murdock, der die Por\nschläqe Präsident Wilivn\'S zur Unter\ndrückung der Trust bir unzureichend!\nerklane, sprachen fick Repräsenianie,,!\nund Scna.oren -Iler Porleischai\'irnn\ngen günstig, ja enthusiastisch über die!\nBotschaft au.\nDie „Nordstern Wr\ngen haben die\nvon ta Lrosse nicht >ru- B\nmitschreiben sondern mir- /\nmachen helfen.\nNummer 1">.\nKmöcr der Slmkco,,\nDT\nDie sozialdeinokralische Parte: rvi\nKleider und Schube für de\nKupserdistrikl kaufen.\nChicago. Jll., 20. Jan. ,\nZiveitauseiid Schuliindec im Grude:\ndistrikt von Michigan und Eolorol\' .\nwerden Klcider und Schuhe aus de "F\nFonds, den die sozialistische Panel\nKinder von Streckern befteile geie\nhat, erhalten. W,e nn Haupiguar:-\'\nder Sozialisten in Chicago. Fl!., an\nkündigt wurde, weiden unverzüz\',\nTelkgranime nach Colorado und C>,\nmer abgeschickt werden. >n denen l\nAuskunft über die am\nöihigen Kleidungsstücke ersucht\nde soll Die Kleider werden in -\ncago gekaust.\nWie die Verivalierin de Fon*\nFrau W. B. Dranstcuei. erllärle. si*\netliche tausend Dollar m der Kos?- "\nauch von Kirchen und anderen Organ:\'"\nsanonen beigesteuert wurden.\nRuhe im Strcikgebiel. s\nHoughton. Mich., 20. Fan\nFm Slreikgebiel des K ptcrdlürckis\nvon Michigan war es am Moniag\nruhig, und nirgends kam es zu Aus\nschreitungen. Fn eilichen der Gruben\nkchrieu wenige Sireikcr an die Arbeit\nzurück, und von außerhalb trabn mei\nzig Leute ein, die in der Quinch-Grube\nai beite werde. Die Sirecker em-\nInett-n sich jeglicher feindseligen Teiiion\nsiialiou gegen die Ltteikbrecher.\nAus den Gtiichltu.\nIm Kreisgericht wurde Pauline\n>! ai>er von John Kaiser geschieden.\nHallte Kirschiier von Bangor hast\ngegen ihren Galten Wm. Nirschner\nwegen grausamer Behandlung eine\nScheidungsklage anhängig gemacht.\nIm Polizeigericht wurden Wm. Witt\nvom Pest Saloon an sudl. 3.\nsowie Frank Dirken wegen Schlägerei\nuw je 412 und Kosten destrast.\nDer Kläger war Theodor Krüger, der\nangab in der Wirthschaft von drei\nMännern nrißncin\'oelt worden zu sein.\nDer dritte seiner Angreifer. Chcrles\nN>e,.Haus, wurde wegen Bewersman\ngels enlwssen.\nNufallö-Cluoni\'.\nBeim Laufen nach einer Slraßencar\nsiel Hermann Niemcner, OK! Süd 23.\nStraße, an der 4 und Pearl Str. aus\ndem eisglatten Trottoir und erlitt dabei\nein Bruch des rechlen Beines. Riemever\nisl ein Feuerm >nn in Heileiuaniis Brau\neiei. und wird un St. Francis Sp\'lal\nverpslegi.\nIH>H\' Lchreibt über seine Toch\nter. „Wir habe eine Tochter". schreibst\nHerr August Engel von Hcrniigion.\nK ons.. ..die jetzt I! Fahre au ist und\nüber zwei Jahre lang mit Magenbe\nschwerde geplagt war. Sie war kaum\nimstande, irgend eiwas zu esse, und\nwurde so schwach und mager, daß sie\nnur noch Haut und Knochen war.\nWährend dieser ganzen Zeit dokterte sie.\nund die Aerzte sagien fort,ährende\n„Sie wird schon darüber hinweg kom\nmen" Aber es geschah nicht, wenig\nstens nicht durch ihre Behandlung.\nWir hallen alle Hoffnung ausgegeben,\nals wir anfingen, ihr Alpenkrauler zu\ngeben. Diese Medizin wirkte Wunder\nan ihr. Ihre Schmerzen verschwan\nden; ihre Backen wurden rund und\nrosig, und sie ist gesund und glücklich.\nEs will mir vorkommen, als ob Ihr\nAlpenkräuier die einzige wirkliche Medi\nzin ist."\nForni\'s Alpenkräuter ist keine Apo\nlheker-Medizin. sondern ein einfaches,\nalles Kräuier-Heilmiuel, welches dem\nPublikum direkt geliefert wird von Dr.\nPeter Fahrney ch Sons Eo., 19 2.\nSo Hohne Ave. Chicago,Jll.\nlijnmdeiqeiilhiims-Markt.\nfolgende lKrundeigenihums - lieber\nragungen wurden m de letzten Tagen\nvorgenvimnen\nJulius Uranler nn Barbara Hin, Eigen\nihum >,i Mctz!>n.ll und LOtiltleleyS eil\ndmon 4c-5\nWenzel Leibe! an Barbara Ciimmnigs. Cr\nft ulduni i McConnell und Whiittesen\'S\nslvvilion tz-i>o\nC. W Noble an Emma Wbulen E gealh um\nin Dealen a Ntid-r\'\', \'S "vvaion P i !i>\neü" Wundervolle Husten-Medizin\nTr. Kings New Discovern ist über\nall bekannl als ein Mine! welches\nsicher Husten oder Eika Hing kann. D.\nP Lawson von Edison. T -> iüreibi:\n..Dr. King\' New Tie ->-.e>v -st die\nivundervollste Medien rar Fuilea. Er\nkältungen, den Hals und die Lünzen,\ndie ich >e in meine, Gki\'L. - veciautl\nhrde" Tie ?>! wahr, weil 40. Knig\'s\nNew Discovern die qesährüch-oi Er\nkalttingen und Husten sowie Lungen\nkrankyetten ehr schnell kuriri Sie\nsvllien eine Flasche zu jeder Z:-l im\nHa -je haben inr alle Miiglieder der\n-sainilie. 50 . nd Be? allen 2lpo\nlbekcrn oder per Post. H. E. Bullen H\n(so. Philadelphia oder St. Lou-.s. An', 'publisher': 'C. Halbwachs', 'language': ['English', 'German'], 'alt_title': ['La Crosse nord stern', 'Nordstern'], 'lccn': 'sn86086186', 'country': 'Wisconsin', 'batch': 'whi_clabbert_ver01', 'title_normal': 'nord stern.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn86086186/1914-01-23/ed-1/seq-1.json', 'place': ['Wisconsin--La Crosse--La Crosse'], 'page': ''}]}
#Save a copy of the first 20 results
with open('corpusraw.txt', 'w') as corpusraw_file:
     corpusraw_file.write(json.dumps(data))

Next we will look at how we can use the metadata from our results to build a query that use the API to get OCR text from one of the newspaper pages.

The first four key value pairs in the dictionary object tell us about the results of our query, but the fifth one, with the key ‘items’ is the one that gives us the bulk of the metadata about the newspapers that meet our requirements. To build our query, we need to grab the id so that we can add it to our URL. We could either manually grab it from our text file or we can call it using its index in the list.

#Deal with dictionaries within lists
d = data.get('items')
print(d)
[{'sequence': 1, 'county': ['Manitowoc'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85033139/1914-01-01/ed-1/seq-1/', 'subject': ['Manitowoc (Wis.)--Newspapers.', 'Wisconsin--Manitowoc.--fast--(OCoLC)fst01225415'], 'city': ['Manitowoc'], 'date': '19140101', 'title': 'The Manitowoc pilot. [volume]', 'end_year': 1932, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Publisher varies.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Manitowoc, Wis.', 'start_year': 1859, 'edition_label': '', 'publisher': 'Jeremiah Crowley', 'language': ['English'], 'alt_title': [], 'lccn': 'sn85033139', 'country': 'Wisconsin', 'ocr_eng': 'olume IV.\ntCITY COUHCIL NOUS,\npecial meeting of the city council\neld last Saturday evening to take\ni winding up the electric light\npurchase matter and to consider\notor lire truck purchase matter,\nler, Gcorgenson and Schroeder\nabsent.\nesolutlon of Plumb md Frazier\nunaminously adopted. It ratified\njKdetail of the committee’s agree\n■t with the electric company, in\n|Hcted the attorney to apply for a re\naßring to enable the stale Railroad\nmjwmission to incorporate the agree-\nHnt in its order; authorized the coni-\non electric lights to manage\nH plant temporarily; authorized ihe\ncommittee to incur some nec\n!iry expenses in priiting and selling\nelectric light bonds and instructed\nfinance committee not to sell morel\nbe bonds than shall be necessary,\ni motion was then made author!/-\nthe committee on fire and water to\nto Milwaukee and Kenosha and\ne chief Kratz point out the defects\nadvantages of the different types\nnotor trucks. Thorison, chairman,\n1 his heart set on this trip. Being\ntious and conscientous above the\nrage he always has to be ‘“shown.”\n3 vote was, for the junket, 8 against\nThe noes were Kapil/, Lippert and\nierer.\n\'he mayor ruled tflat it was an “ex\njrdinary expenditure” requiring II\nayes to carry. There was u strained\npause. Then Thorison came to his\nfeet and proposed that the bridge com\nmittee be sent. (This was a short arm\njab to the solar plexus of his neighbor\nI who recently went on the au\nbridge junket.) Thorison add\nhls committee had numerous\ntaake trips of inspection at\nsnse of the truck manufactur\nwould not consider that and\nthe council wanted to spend\n•a truck blindly they could not\nsnted.\nmtor lire truck proposition for\nason not discernible has been\ni sinister iniluence for a year\npast. It seems to be creating suspic\nion and ill-will where there have been\nnone for years. Some members are\nfighting it bitterly.\nThe necessity for a three-fourths\nvote has prevented the purchase sever\nal times. The proponents caught them\nasleep and slipped the JfiOOO appropria\ntion Into the lodgeu some weeks ago\nspecifying it to be for “tire purposes.”\nThe antis now assert that this is not\nsufficiently definite to take the purchase\nout of the “extraordinary appropria\ntion” class. There may be a big light\nover it soon.\nVALUABLE FARM AS\nGIFT STIRSCATO.\nThe death of John Meehan of Cato,\n-reported last week, has developed a\nfcurious situation. Mr. Meehan who\na bachelor, aged 50 has been an\nHvalid for some time. Early in Nov-\nhe gave to the tenant of his\nWilliam Launbrecht, a deed to\nHe farm and title to the farm person-\nHty in consideration of an agreement\nV support the grantor for life and pay\ngrantor’s nearest living rela.\nMiss Reddin, of Cato, a niece,\n■BOO upon the grantor\'s death. The\nfarm is just outside the village of Cato.\nMeehan survived this transaction less\nthan six weeks. Thus his properly,\nConservatively valued at SIB,OOO, will\n■ to one not related to him upon the\n■yroent of SIOOO. Meehan had no\nof nearer kin than nieces and\nAlthough ho had not been\nwith these relatives there\nbeen no ill-will or family feud be\n™een them. The farm is further\npledged upon the bond of Win. Keddin,\n.one of the defendants convicted in the\ntreat labor union and; naraile case in the\nfederal court at Indianapolis. There\n\'are some rumors at Cato of an inten\ntion to contest Launbrecht\'s possession\nin court but nothing authoritative has\nbeen made public.\nNOTICE TO TAXPAYERS.\nI Notice is hereby given that the tax\nlist\'d taxes for the year 11)13 levied\nfor the following purposes, \' >wit; Gen\neral city purposes, state and county\npurposes, schools, sewers, inomelaxes\nspecial assessments for\' sidewalks,\nstreet improvements and water mains\nand delinquent charges for water\nmains, etc., has been committed to me\nfor collection, and that 1 will receive\nkpayment for taxes at my oilice in the\nHty hall at 931 South Eighth street,\nni the city of Manitowoc, Wis., for the\nlerm of thirty days next following the\n■ate of this notice.\nI Dated Decern bet 15, 1913.\nI HENRY FRANKE,\nI City Treasurer. Manitowoc, Wis.\nBUY LAND ON EASY TERMS.\nCut-over hard wood lands In Wiscon\nsin, from $9.00 per acre up. #I.OO per\nhere cash, balance in monthly install\nments of $5 00 on each forty bought.\nNo better p/o(>oßition known. Go to it\nAdv. A. P. Schenian, Agent.\nSubscribe for the Pilot.\n®j)c pilol.\nMARRIED\nMiss Serena Westphal and Mr. Her\nman C. Berndt were married at the\nhome of the bride’s parents on Christ\nmas day at 5 o’clock in the evening by\nthe Rev. of the German\nLutheran church. The affair was\nquiet, and was witnessed only by the\nimmediate relatives of the contract\ning couple.\nThe bride is a bright and accomplish\ned young lady and has a large circle of\nfriends in this city. She is a daughter\nof Mr. and Mrs. H. C. Westphal,\nSouth 13lh street. She is a graduate\nof the old West Side high school and\nwas employed at one time as a deputy\nin the office of the county clerk.\nMr. Berndt is a well known young\nman, energetic and intelligent, who\nfor twelve years was foreman of the\nPilot, but severed his connection with\nthe establishment four months ago to\naccept a more lucrative position with\nthe Fond du Lac Reporter. Mr. and\nMrs. Berndt have taken up their resi\ndence at Pond du Lac.\nThe Pilot joins the many friends of\nboth bride and groom in tf idering con\ngratulations and expressing the wish\nthat their future may be crowned with\nbliss.\nAt the home of Win. Ralbsack, Sr.,\nChristmas, Miss Ruth Bern and Mr.\nMelvin Sandersin were united in wed\nlock, the Rev. Haase officiating. Miss\nAdeline Hinz and Arthur Bern, were\nthe attendants. The bride is a popular\nyoung lady who has been employed as\na clerk in the Esch store. The groom\nis employed as a machinst at the Gun\nnell Machine Company.\nThe young couple will make their\nhome in this city.\nGOLDEN WEDDING.\nMr. and Mrs. Christian J. Knutze\non Tuesday celebrated the fiftieth ar\nniversary of their marriage at theii\nhome, North 15th street.\nThe marriage of Christian Kuatzen\nand Miss Gunhild Halverson was on\nDecember ;W, 18113, at Vraadl, Norway,\nthe Rev. K. O. Knutzen, father of the\ngroom, performing the ceremony.\nMr. Knutzen is a native of Christi\nana, Norway, having been born there\nApril 1, 1837, being 70 years of age,\nwhile Mrs. Knutzen, born at Hvidese\nNorway. May 22. 1843, is 70. Despite\ntheir advanced ages, Mr. and Mrs.\nKnutzen are enjoying good health.\nThey came to America the year after\ntheir marriage, landing at Quebec, and\nlater on removing to Chicago. They\nlived in Illinois for a few years and\ncame to Manitowoc in 18(37, where they\nhave since resided.\nMr. Knutzen has been a painter con\ntractor for the past 45 years.\nThere are five children and fifteen\ngrancdhildren living. The children\nare: H. J. Knutzen, Antigo, N. E.\nKnutzen, Green Bay; Mrs. P. A. Holm,\nTigerton, and Dora and Marie of this\ncity.\nThere was a family re-union at the\nhome Tuesday afternoon and evening.\nThe following were here from outside\nfor the golden wedding:\nMrs. Bertha Knutzen, Edwin,George\nNorman, Menasha; Mr,and Mrs. H. J.\nKnutzen, Antigo; Mr. and Mrs. N. K.\nKnutzen, Green Bay; Mr. and Mrs. P.\nA. Holm, Tigerton.\nREAL ESTATE REPORT\nThe following Real Estate Reports is\nfurnished by the Manitowoc County\nAstract Company, which owns the\nonly complete Abstract of Manitowoc\ncounty.\nGeorge Bauman to Joseph W. Vran\ney, 108£ sq. rods in NW corner sec 30\nKossuth, SOSOO.\nAnnie Derringer et al to Henry\nBaruih, lot 0 blk 312 Manitowoc, $2200.\nJohn A. Johnson to Arthur E. ILw,\nlot 11 blk 50 Manitowoc, sl.\nJohn I’eter Steffes to Peter Endries,\nlots 1 and 2 blk “D” Manitowoc, *l.\nJohn Peter StelTes to Peter Endries,\n2J a in sec 23 and 20 Manitowoc Rap\nids, sl.\nPeter Endries to John Peter StefTes\net al, lots 1 and 2 blk “D” Manitowoc\nsl.\nPeter Kndrles to John Peter SteiTes\n24 a in sec 23 2(1 Manitowoc Rapids, sl.\nWilliam Pohl to Norhert Reichert,\n80 a in sec 10 Schleswig, SIO,OOO.\nC. H. Tegen to Mary Healy Jr., lot\n4 blk 291 Manitowoc, fl.\nMatt Kocian to Lawrence Kocian, 120\na in sec 30 and 31 Cooperstown, sl.\nJohn G. Meehan to William J. Laun\nbrecht, 104.24 a in section 4 Cato and\n36 a in section 33 Franklin, $16,000.\nCharles M. Ohlsen to Jennie M. Ohl\nsen, lot 3 blk 7 Manitowoc, sl.\nFruit In Glass.\nA housewife who was puzzled to\nknow how she could put fruit In the\nrefrigerator and not have it scent the\nbutter and milk by the side of It,\ncaught the Idea of emptying out the\nbasket into glass Jars and putting on\nthe tops.\nMental Training.\nAn educated man la a man who can\ndo what he ought to do when he ought\nto do It whether he wants to do It or\nnot.—Nicholas Murray Butler.\nDIEO\nFrank Moser dropped dead Monday\nmorning on the grounds of the Seventh\nward public school where he was em\nployed by contrrctor Steve Knechtel\nin some grading work in progress.\nMr. Moser had but arrived to begin\nthe mornings work and was chatting\nwith a fellow employe when he fell\nlifeless without givingany premonitoiy\nsymptoms of distress. He had not been\nin ill health. His son Frank died but\nthree weeks ago leaving a void in the\nmusical circle of the city, he having\nbeen for years director of the city’s\nwidely known Marine Band. Frank,\nSr., was born in Hungary in 1854 and\ncame to this country in the early 00’s\nand had lived in Maple Grove until 3\nyears ago. He was a man of good char\nacter and esteemed by all his neigh\nbors. The Catholic Knights of Wis\nconsin, of which he was a member, at\ntended his funeral which was held yes\nterday from St. Bonifact, church to\nCalvary. He is survived only by his\nwidow.\nCONNELLY SURPRISED WITH GIFT\nMichael T. Connelly, who is a char\nter member of the local council of the\nK. of C. organized over 11 years ago,\nand who leaves for Madison today\nto assume anew position with the\nRailroad Commission was entertained\nby his lodge brothers at their hall\nTuesday evening. Mike was lured to\nthe hall by Rev. J. T. O\'Leary and un\nsuspectingly walked into the party.\nMike’s manifold virtues were extolled\nby M. J. O’Donnell, Rev. O’Leary,\nJohn Egan, P. A. Miller, L. W. Led\nvina, James Taugher, George Kenne\ndy, Dr. A. J, Vits, Puch Egan, Dr.\nMeany and John Carey. Ed. L. Kelley\ngina! verses about the\nire and Harry Kelley\nmarks in presenting a\nuiair on behalf of the\nking that a rocking chair\nwas an inspiredly appropriate gift to\none entering the state service. The\ntenor of most of the tributes was re\ngret at losing the bubbling good spirits\nofOonneliy. “Dynami er of gloom\nPuch Egan called him.\nTRUE SECRET OF POPULARITY\nQlrl Must. Have torpe Beauty. Grace\nand Intelligence, and Especially\nRadiance.\nWhat can a young girl, who Is net\nther a great beauty nor a great heir\ness, nor one to whom the gods stood\nsponsor at birth, do to make herself\npopular?\nLet us sit down and take our chins\nIn our hands and think about It\nA girl must have, at least In some\nsmall degree, four qualities. There\nare children of fortune who have them\nall, and in abundance, but as from a\nsmall palette of primary colors a great\npicture may be painted, just so out\nof a few elementary attributes quite\nwonderful results are possible. The\nfour qualities of personality are:\nBeauty, grace, intelligence, radk\nance.\nBeauty may be that of face or fig\nure, oAAt may be merely an effort of\nbeauty through style, charm, or even\none of the other three qualities fol\nlowing:\nGrace includes not alone symmetrj\nof movement, but all accomplish\nments In activity, such a a dancing,\nskating, swimming, riding, and also\nany especial gifts, such as a talent for\nmusic or acting. In other words, the\ngirl who has the "gift of grace” in the\ngirl who does things well.\nBy intelligence is meant the sympa\nthetic, adaptable quality of mind, rath\ner than that of the brilliant order. Hut\nthe one great attribute that crowns\nthem all —granting, of course, some\ngift of the other three—but without\nwhich beauty, grace, cleverness are\nall as applet of Sodom—is the sense\nof enjoyment, the gift of happiness.\n1 dot t think 1 can better define it\nthan by tbe word radiance. And best\nof all, radiance is a quality that can\nb( cultivated.\nBeards in Olden Times.\nThe Greeks wore their beards until\nthe time of Alexander, but that great\ngeneral, probably remembering an en\ncounter with bis wife, orderd the Mace\ndonians to be shaved, lest their beards\nshould g_lve a handle to their enemies.\nHeards were worn by the Romans In\n390 I), C. Th* Emperor Julian wrote\na diatribe entitled "Misopogon” against\nthe wearing of the chin appendage in\n362 B. C.\nGet Fine Ride.\nAll offenders whom It becomes de\nsirable to detain for a greater or less\nperiod In the new Hordeau Jail, near\nMontreal, are taken to their tempo\nrary dwelling place In a tour\'ng car.\nwhich traverses a beautiful route,\nalongside a river, and with se-ene and\nuplifting scenery In the distance and\nat hand.\nWoman\'s Reason.\nWomen have more of what Is termed\ngood sense than men. They cannot\nreason wrong, for tuey do not reason\nat all. They have fewer pretensions,\nare less Implicated In theories, and\njudge of objects more from their im\nmediate and involuntary Impression\non the mind, and therefore more truly\nand naturally.— Hail\'tt.\nMANITOWOC, WIS., THURSDAY, JANUARY I. 1314.\nITEMS FROM THE PILOT FILES.\nFIFTY YEARS AGO.\nThe Fortunes of War.—-A soldier\nof the 17th regulars, a native of Phila\ndelphia, at the battle of Chickamauga\nwas struck with a piece of shell in the\nright eye, then passing under the\nbridge of the nose destroying the sight\nof the left eye, and he is now perfectly\nblind, though in the prime of life. In\nthe same action in which he lost bis\neyesight, he had a father and three\nbrothers killed leaving out of a whole\nfamily only himself and his aged moth\ner.\nAfter Them. —General Grant has\ncaptured, within the past seven months,\nfour hundred and twelve cannons,\nnamely: fifty-two on his advance to\nVicksburg, three hundred at that place\nand sixty last week before Chattanoo\nga. Two thousand United Stales can\nnons were stolen from Norfolk at the\nbeginning of the rebellion, but if Grant\nkeeps on at this : ate he will soon get\nthem all back again. Grant mu it be a\ngenuine “son of a gun.”\nLost Cows Hugh Ray of Kewau\nnee, can find his lost cows at Mr. John\nSechrest\'s in the north-west part of\nthe town of Two Rivers.\nMeade Retreats—More Men!—\nMeade sought Lee. He found him\nWhen he found him he didn’t like his\nlooks. So lie ran away. Avery brief\nvis-a-vis with the rebel commander\nscared the wits from our commander’s\ntiead and gave vigor to his heels.\nMeade thinks Lee too strong for him.\nWe think Meade was right. He be\nlieved himself forced to run first, or be\nwhipped and then run. Doubtless the\nconclusion was well grounded.\nNow here we are again—flat on our\nbacks; without force enough to con\nquer another square rod of southern\nterritory. To carry out the plan of\nthe government at least a million more\ntpen will be required for the field.\nUnder the present draft, we do not gel\nenough to till the places of those who\ndie in hospital. If the president is in\nearnest, lie will sweep tlie whole first\nclass of enrolled national forces into\nthe army at once. At the present rate\nof progress, war is fast getting to be\nchronic.\nPious That, notoriously pious sheet.\nthe N. Y, Independent compv\'\'e,s Presi\ndent Lincoln to a cur with a collar\nSpeaking of him, it says: “Does lie\nnot wear Kentucky like a collar to this\ndayV A dog with a collar lights slow!”\nThis respectful (V) language is from\nthe pen of the Hev. Tilton, editor, who\nwas drafted, but, who, though able\nb.idied, concluded not to fight at all.\nTWENTY-FIVE YEARS AGO.\nCharley Peers, Charley Sasse and\nCharley Leveron* constitute a trinity\nof preambulalors on Sundays. A couple\nof weeks ago the three started out in the\ncountry for a longer walk than usual.\nThey took the railroad track until they\nhad gone as far as they wished and\nthen made for a country mail on which\nthey proposed home. ’ After\ntramping an hour they thought they\nshould be in sight of the city but could\ndiscover no trace of Manitowoc. They\nipuckened their pace for an other half\nhour and still could discover no trace\nof the lost city. Peers thought some\none had run away with the pjace; Sas\nse thought there was some witchcraft\nabout the thing and Levereni’. proposed\nthey camp out and wait for a relief ex\npedition. A farmer passed by and the\nthree hailed him with. "Say, where’s\nManitowoc’?” The farmer thought\nthey were guying him and wanted to\nlight the crowd. Hasse thought it\nwould be a good plan to mount\nand holler as they used to do In olden\ntime w hen lost in the woods in hope\nthat someone in the city would hear\nand give an answering shout. Their\nqueer maneuvers made the farmers\nsuspicious and when one of the crowd\nwould approach a house to inquire\nabout Manitowoc, lie would he chased\nout of the yard with dogs. Peers went\ninto the woods having heard at one\ntime that persons lost could find ttieir\nway homo by noticing on which side of\nthe tree the moss grew. Put it was as\nhard to find moss as it was to lind the\ncity. In the meantime the farmers\nwere collecting with pitchforks, hoes\nand axes to drive away the three dan\ngerous looking characters who pre\ntended they did not know the way to\nManitowoc. The trio set olf on a run\nand took anew road. They reached\nthe Pranch village by nightfall but\ndidn’t know the place. One of them\ninsisted it was Amigo and that there\nwere a few people there who know\nhim. Another thought it was Hurley\nas they walked far enough to reach\nthat place. The third thought it was\nDepere and pointed to the river as\nproof. They came near having a row\nover the matter but in the nick of\nlime a man approached whom they\nknew. Py round about questions they\nlesrned where they were and hired a\nman to lake them home.\nNow when they go outside the city\nlimits for a walk one of ’em walks\nbackwards so as to keep the city from\ngetting awry from them. People who\nmeet them wonder why one fellow pre\nfers to walk backward, but the oilier\ni wo explain that he wras born that way.\nThey take turns in this task and never\nget beyond sight of the city.\nEDUCATIONAL.\n(ByC. W. Mkisnest.)\nJAN UARY TEACHERS’ M EETINGS\nUsman, Jan. 17, 1914.\n9:30 A. M.\nOpening\nClass Exercise in Middle Form Oleog\nraphy . . Nell to Barnes\nRural Economics . Edwin Mueller\nTeaching How (o Study (Chapter V)\nI’. J. Zimmers\n1;80 P. M.\nHow to Teach Long Division, Factoring\nand Decimals - James Murphy\nEllanora tiraf\nMoral and Humane Teaching\nMarie Gass\nAccident Prevention - Mary (irady\nHow to Study (Chapter XI)\nP. J, Zimmers\nUecdsvllle, Jan. 10, 19H.\n10:00 A. M,\nSinging - - Heedsville Pupils\nConducted by Gladys VVilllnger\n(a) Accident Prevention\nMildred Dedricks\n(b) Moral and Humane Teaching\nEtta Hayden\nTeaching How to Study (Chapter V)\nP. J. Zimmers\n1:30 P. M.\nClass Exercise in Agriculture\nElizabeth Walrath\nRural Economics - F. O. Christiansen\nHow I Teach Factoring, Decimals, and\nLong Division - Florence O’Connors\nP. W. Falvey.\nTeaching How to Study (Chapter XI)\nP. J. Zimmers\nBring your copy of McMurry lo all\nmeetings.\nThe state of Maryland is holding sev\neral educational rallies lo stir up in\nterest in education in order to secure\nlegislative action for the improvement\nof the schools of the State and espe\nciady those located in rural dlstr\'cts.\nRallies are being held in many coun\nties of the Stale. It is the purpose\nof the State Hoard to hold such rallies\nin every county before the next meet\ning of the legislature. The State\nBoard of Education is especially anxi\nous to create sentiment which will re\nsult in favorable action Ity the Slate\nlegislature on the following mo.-suies;\n1. An increased State appropriation\nfor common schools.\n2. A Slate supervisor of rural\nschools ns an assistant to the State Su\nperindent of Public Instruction.\n3. A State-wide compulsory educa\ncation law.\n4. A minimum term of at least sev\nen months for all colored schools.\n. r ). Teacher-training courses in ap\nproved high schools under the auspices\nof the State Board of Education.\n(>. A Slate supported summer school\nfor rural teachers.\nIt seems strange that so old a state\nas Maryland should lie so far behind\nWisconsin in these matters; and yet\nthe Slate Boaard of Public Affairs bns\nplaced Maryland ahead of Wisconsin in\nschool efficiency.\nFOLK HIGH SCHOOLS\nIN DENMARK.\nContinuing the education received\nin the elemenlry schools for young\nmen and women from 1H to 25 years of\nage and making such provisions as to\nterms that the farm work will boas\nlittle interfered with as possible is the\naim of the Folk High Schools of Den\nmark.\nTwo courses are offered each year,\n—a four months’ course in the winter\nfor young men and a three months’\ncourse in the summer for young wom\nen. Most of these young people have\ncompleted the work of the elementary\nschools. The schools are located in\nthecountry and are intended primarl\'y\nfor country youth. The sciences con\nnected with agriculture are taught,\nbut the greatest emphasis is laid on\nhistory, biography, and literature.\nThe schools then are not vocational\nschools except in a very broad sense.\nThe great object is to awaken the\nintellectual life of the students, lo\nmake them ambitious to live efficient\nly and nobly, and to teach them how\nthis may be accomplished.\nIt is said that 10 per cent of the pop\nulation of Denmark goes through these\nschools. Their popularity is attested\nby the fact that they are supported by\ncooperative effort of the people them\nselves; only very small annual grants\nare received from the government.\n’[’he Folk High Schools are a mighty\nagency :n the life not only of the rural\ncommunities hut of the nation at large.\nFive members of the Denmark cabinet\narc from the Folk High Schools, four\nof these are farmers. Many members\nof the lower house of parliament are\nalso from these schools. Eighty per\ncent of the officials and managers in\nthe cooperative agricultural societies\nand enterprises have attended Folk\nHigh Schools.\nThe results achieved hy these schools\nare a good example of the remarkable\nresults which can lie achieved when\nthe people are given the kind of educa\ntion which they really need.\nDISEASES OF SCftOOLCHILDREN.\nTuhercu\'osis of the lungs is the lead\ning cause of deaths among American\nchildren during the period of school\nlife, Next in order ere incidents,\nO.TORRISON COMPANY\nTATE Extend to All Our\n* * Best Wishes for a\nProsperous and Happy New\nYear and Wish to Thank\nYou for the share of patron\nage with which you have\nfavored us ...\nWe are now in the midst of our\nannual inventory taking and\nbeginning with January 2nd you\nwill find throughout the entire\nstore unusual bargains priced so\nlow that if money-saving is the\nobject you should look through\nthe different departments . .\nO. TORRISON CO.\nFirst Mortgages and Bonds\nWe have on hand and offer for sale choice first mortgages\nand bonds. These mortgages and bonds make the safest\nand best kind examined by ns and we guarantee them\nstraight.\nJulius Lindstedt & Cos.\nManitowoc. WisconsinJ\ndipheria and croup, lyhold fever, and\norganic diseases of the heart. Out of\na total of 51,1103 deaths from all causes\nat ages 5 to 111,24,510, or 47.5 per cent\nare caused by these live diseases. Tu\nberculosis causes 14,3 per cent and ac\ncidents 13.8 percent of the mortality\namong children of small age. These\nligures are given In an article in the\nDecember number of the School Re\nview,\nThe light against the great white\nplague should receive renewed im\npetus from the fact that this disease Is\nthe captain of the enemies of health\nand life among the school children of\nour land.\nThe number of public and private\nhigh schools in the United Stales of\nfering courses in agriculture is now\n1,880. In 11)10 the corresponding num\nber was 432, which is about one-fourth\nof the present number.\nStale Superinlendant C. I*. Cary has\ndesignated January 28-30 as the days\nfor the bolding of the annual conven\ntion of county superimendanls. The\nconvention will bo hold in Madison.\nThe time and place of meeting will en\nabb’ the county superintendents to lake\nadvantage of the meeting of the coun\ntry life conference and the two weeks\nFarmers\' Course.\nMarriage Licenses\nThe following marriage licenses have\nbeen Issued by the county clerk the\npast week:\nDavid Terry of Kaukaunn and Nora\nWestpbabl of Two Rivers; Jos. Kolo\nwsky of Milwaukee and Blanche Sol>-\nluosky of Manitowoc; Adolph Ilrat/.\nand Kmrna Hubolz, both of Rockland;\nJohn liubolz and Laura Rusch, both of\nRockland; Simon Slsdkey of this city\nand Hernia lieranova of i’raguo, Bo\nhemia; Kdward Shimon and Barbara\nBurish, both of Reedsville; Frank\nBurlsh of Spruce, Wls. and F.mnia Os\nwald of Franklin, Deter Horn and\nKlizabeth Hartman, both of Manitowoc\nHenry Kieselhorst of Newton and Lin\nda Rusch of Liberty; Henry Siege of\nAnti go and Linda Klusmoyor of Ra\npids; Kdward Kafka and Rose Napic\nclnszkl, both of Two Rivers.\nNUMBER 27\nJoke of Year* Ago.\nA clergyman wan preaching a ser\nmon upon "Death,” in the course ol\nwhich he asked the question: "Is it\nnot a solemn thought?” ills four-year\nold boy, who had been listening in\nrapt attention to his father, Immedi\nately answered in a shrill, piping\nvoice, so as to bo heard throughout\nthe house; "Yes, sir, it is."—Vintage\nof 1803.\nPeculiar Bequests.\nThere is one actual case on record\nof a bequest of artificial teeth. Hut\nas it was so long ago the legal chron\niclers think the decedent had In mind\nthe sale of the teeth to the dentists\nof the time so that cash might be real\nUed. -Many cases are narrated ol\nwomen bequeathing their hair to\ntheir heirs to bo converted Into money.\nRecognized English Holidays.\nThere are now twenty six days In\nthe year recognized us legitimate oc\ncasions for holiday* In most cities of\nUngland. These are In addition to\nthe weekly half-holidays observed on\nWednesdays or Saturdays. An effort\nIs being made to lessen the number\nof holidays and to bring those re\ntained Into more systematic order.\nIndustry Always a Refuge.\n“Some temptations come to the in\ndustrious,” said Spurgeon once, "but\nall temptations come to the Idle " The\nold and good renuly against a be\nsetting sin Is to leave neither time\nnor room for It anywhere in life, and\nso crowd it out steadily and surely\nfrom its old place and power.”\nTo Whiten Ivory,\nTo whiten Ivory rub it well with un\nsalted butter and places it in the sun\nshine. if It Is discolored it may be\nwhitened by rubbing it with a paste\ncomposed of burned pumice stone and\nwater and putting in in the sun under\nglass.\nTo Clean Brass.\nTo clean embossed brass make a\ngood lather with soap and a quart ol\nvery hot water. Add two teaspoon\ntuls of the strongest liquid ummonla.\nWash tho article In this, using a soft\nbrush for the chased work. Wipe dry\nwith a soft cloth.', 'batch': 'whi_harriet_ver01', 'title_normal': 'manitowoc pilot.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85033139/1914-01-01/ed-1/seq-1.json', 'place': ['Wisconsin--Manitowoc--Manitowoc'], 'page': ''}, {'sequence': 1, 'county': ['Kenosha'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85040310/1914-01-01/ed-1/seq-1/', 'subject': ['Kenosha (Wis.)--Newspapers.', 'Wisconsin--Kenosha.--fast--(OCoLC)fst01203049'], 'city': ['Kenosha'], 'date': '19140101', 'title': 'The Telegraph-courier. [volume]', 'end_year': 1946, 'note': ['Available on microfilm from The State Historical Society of Wisconsin.', 'Editor: M. Frank, L.A. Cass, 1888-Aug. 7, 1890.--L.A. Cass, Aug. 14, 1890-Aug. 13, 1891.--F.H. Hall, Aug. 20, 1891-Oct. 1, 1896.--G.P. Hewitt, Nov. 4, 1897-Aug. 29, 1901.--S.S. Simmons, Sept. 5, 1901-<1915>.--W.T. Marlatt, <1915>-Apr. 16, 1925.', 'Publisher varies.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Kenosha, Wis.', 'start_year': 1888, 'edition_label': '', 'publisher': '[L.A. Cass]', 'language': ['English'], 'alt_title': [], 'lccn': 'sn85040310', 'country': 'Wisconsin', 'ocr_eng': 'Established\nIn\n1839\nVOLUME LXXV.\nROSTER OF BRAVE\nLists Are Compiled of Men\nWho Gave Service to Na\ntion During Civil War.\nPLAN A LASTING MEMORIAL\nF. H. Lyman Submits Lists For Var\nious Towns in the County and Asks\nPeople to Aid him in Securing Names\nof Any Who May Have Been Omitted\nFollowing is the roll of civil war\nveterans credited to the township of\nWheatland. Many are responding to\nthe invitation to note errors and omis\nsions and. are informing the secretary\non these and other points. Be sure that\nyou do your duty in this particular.\nAddress F. IT. Lyman, 432 Park avenue.\nWheatland.\nJames Curran Ist\nFrederick A. Bunth ..4th Cav. F.\nJoseph Dreckman ....9th Bat. Lt. Art.\nJames Lewis Ist. Hvy. Art. D.\nFrank W. Seavey...-Ist. Hvy. Art. D.\nAlbert.M. Dyer Ist. Inf. 0.\nWm. C. Me Fee Ist. Inf. C.\nJapheth M. Hunt Ist. Inf. C.\nJames Lewis Ist. Inf. C.\nHenry Palmer Ist. Inf. 0,\nGeorge I‘aimer ton Ist. Inf. C.\n•Litgene Scherer Ist. Inf. 0.\nL\'rnst 0. Timme Ist. Inf C.\n1 erdinand Vonderbeck Ist. Inf. C.\nGeorge Weanner Ist. Inf. C.\nDaniel Whalan Ist. Inf. C.\nCharles E. Ashley Ist. Inf. C.\nOscar Eddy Ist. Inf. C.\nJoseph Lai ringer Ist. Inf. O.\nHenry Hollencamp sth. Inf. B.\nLudwig Urban ath, Inf. A.\nAlbert E. Fosdick Oth Inf. I.\nHenry A. Fosdick Oth. Inf 1.\nJacob Zabn 9th. Inf. H.\nJames Burns 12th Inf.\nMu:i ».y 12th Inf.\nWilliam T. Brent 14t,h Inf. C.\nWilliam Gilbert 18th Inf. G.\nCharles Wood 18th ln£. G.\nWilliam Fosdick 19th Inf. G.\nJames Fosdick 19th Inf. G.\nCharles Pagel 20th Inf. D.\nWilliam Heifer 20th Inf. K.\nAlfred Bartholomew 25th Inf. A.\nPeter D. Bartholomew. 25th Inf. A.\nWilliam F. O. Coard 25th Inf. A.\nBobt. L. Ferguson 25th Inf. A.\nJohn A. Ferguson 25th Inf. A.\nPhilip Gciser 25th Inf. A.\nEdwin K. Coring 25th Inf. A.\nJames Mason 25th Inf. A.\nEzra A. Roberts 25th. Inf. A.\nBenjamin F. Roberts 25th. Inf. A.\nJames H. Rogers 25th Inf. A.\nFrederick S. Rowe 25th. Inf. A.\nMerrit Rowe ....25th Inf. A.\nCharles 11. Tilden 25th Inf. A.\nCharles L. Fay 33d. inf. I.\nSquire C. Bolden 33d. J n f. J,\nJoseph Carpenter 33d. Inf. I.\nFrancis G. (.\'lark 33d. Inf. I.\nJohn Gunner 33d. Inf. I.\nNewton R. Fay 33d. Inf. I.\nOrin Palmeston 33d. Inf. I.\nTimothy Pierce 33d. Inf. I.\nDavid Pierce 33d. Inf. I.\nValentine Plate 33d. Inf. I.\nJohn Richter .. 33d. Inf. I.\nTheodore Vanderbeck 33d. Inf. I.\nJames A. Woodhead 33d. Inf I.\nCorwin 1). Scott 37th. Inf. A.\nWalter Scott ...37th Inf. A.\nHenry P. Kenda11........42nd. Inf. B.\nOrrin I). Wilson 42nd. Inf. B.\nJohn Bard 43d. Inf. C.\nJames Voisev 43d. I n f. F.\nSilas E. Phillips 50th Inf. A.\nErastus H. Ames 50th Inf. B.\nJoseph F. Huntington 50th Inf. B.\nEleazer G. Miller 50tn Inf. B.\nHenry K. Miller 50th Inf. B.\nSilas E. Phillips 50th Inf. B.\nCharles Schied 50th Inf. B.\nGeorge S. Sperry 50th Inf. B.\nAlbert A. Sumner 50th Inf. B.\nMilo M. Whitney 50th Inf. K.\nPARIS TAX PAYERS NOTICE.\nThe undersigned will receive taxes\nfor the town of Paris for the year 1913\nat:\nW. E. Heidersdorf’s Store.\nMonday, January 20, 1914.\nWm. Crane’s, Paris Corners.\nWednesday, January 21, 1014.\nFirst National Bank, Kenosha.\nThursday, January 29, 1914.\nAll Tuesdays and Saturdays at my\nhome in the town of Paris.\nJehu Non,\nTown Treasurer.\ndw36adv R. F. D Union Grove, Wis.\nJohn T. Yule and family gave a party\nto a number of their friends at the\nhome on Park avenue Tuesday evening.\nDinner was served at 7 o’clock after\nwiijch the balance of the evening was\nspent in playing cards aud other forms\n>f amusement.\n.Want Ad brings results.\ngte %cksraiil\\=(j[ouricr.\nMATZI UNDER ARREST.\nHusband of Alleged Woman Shoplifter,\nis Charged With Petty Larceny.\nThe troubles of Jose Matzi, husband\nof Mrs. Rose Matzi arrested some time\nago on charges of shoplifting, occupied\nthe attention of Judge Randall in the\nmunicipal court today. Early in th\'c\nday Matzi was arrested on a charge of\npetty larceny made by William Schnei\nder, a contractor, and after he had se\ncured an adjournment of this hearing\nuntil next Tuesday, Matzi himself be\ncame a plaintiff and isecured a civil\nwarrant for the arrest of William F.\nHoward and Essie O. Reading, two well\nknown contrac ors. He charged them\nwith tresspass alleging that the cor trac\ntors had entered a house on the west\nside after Matzi had taken possession\nof it under a contract to secure a land\ncontract. The land contract had not\nbeen drawn, but M.atzi alleged that he\nwas in possession of the premises.\nHoward and Reading declared that they\nhad entered the place as contractors to\nfinish up work which had been con\ntracted for before Matzi took posses\nsion They declared that they had the\n-perrtrtfsioh of Matzi and his wife to\nenter the premises. The hearing of the\ntrespass e xse is still on at the municipal\ncourt thi: afternoon but the evidence\nindieated(that the contractors had the\nbetter of the argument.\nNEW FIGURES MONDAY.\nWisconsin Gas and Electric Co. to Sub\nmit Figures for New Light Contract\nAt the first meeting of the common\ncouncil for the new year to be held on\nnext Monday evening the Wisconsin\nGas and Electric company will submit\nto the council figures for a new lighting\ncontract. R. B. Way, vice president\nand manager of the electrical depart\nment of the company has been busy\nworking out the proposition for several\nweeks and he will come to Kenosha on\nMonday ready to submit his figures.\nNo indication as to the amount to be\nasked for the lights has been allowed\nto creep out of the offices of the com\npany and the proposition will be a\ncomplete surprise to the members of\nthe council. The company has made a\nformal petition to the mayor asking\nthat the hours for lighting in Kenosha\nbe changed. The suggestion is that the\nlights be started eight minutes earlier\nin the eveniug and turned off eight min\nutes earlier in the morning. This will\nmake the schedule in Kenosha conform,\nwith tne\'s* 1 nodule now in use in other\ncities in the state. It is probable that\nthe council will give its sanction to the\nchange in the schedule.\nMARRIED AT FOND DU LAC.\nMiss Grace Morris Becomes Bride of\nTheodore Hettrick Today.\nA wedding of great interest to many\nKenosha people was celebrated at St.\nJoseph church at Fond du Lac this\nmorning w\'hen Miss Grace Morris,\ndaughter of Mr. and Mrs. C. Morris of\nthat city, became the bride of Theodore\nHot 1 "ick, well known employee of the\nSimmons Manufacturing Company. The\nceremony was performed by the Rev.\nFather Kennan in the presence of a\nsmall company of friends and relatives\nof the contracting parties, d number of\npeople going from Kenosha to be pres\nent at the ceremony. After the church\nceremoney the bride and groom were\nthe guests of honor at a wedding break\nfast given at the Morris home. Mr.\nand Mrs. Hettrick will leave late this\nafternoon for Atlantic City where they\nwill spend the\'r honeymoon. They will\nmake their home in Kenosha and will\nbe at home to their friends at 750 N.\nChicago street after February Ist.\nMrs. Hettrick was a member of the\nclass of 1913 of the Kenosha Hospital\nTraining School and she is well known\nin Kenosha. The many friends of the\nbride and groom will be pleased to ex\ntend congratulations.\nWAIVES EXAMINATION.\nItalian Charged With Burglary Declares\nHe is Victim of a Conspiracy.\nDominica DeSantise, arrested on\nTuesday by Police Officer, Frank\nMcCloskey on charges of burglary con\nnected with the burglary of the shanty\nof the section men at Berrvville, was\narraigned before Judge Randall in the\nmunicipal court this morning. He\nwaived examination and was held for\ntrial at the next term of the circuit\ncourt in bonds of $1,500. He returned\nto jail, but it was said that he would\nprobably furnish bail during the day.\nDeSantise claims that he is the victim\nof a conspiracy He declares that he\nnever saw the clothing found in his\ntrunk and asserts that enemies placed\nthe clothing in the trunk and then\nsought his arrest on charges of burg\nlary. Attorney Calvin Stewart appear\ned for the defendant at the hearing to\nday and he declared that he had good\nreason to believe the story of the de\nfendant true.\nBlondin defeated Taft for the city\npocket billiard championship by a total\nof 300 to 274. Blondin won Monday’s\ngame by 150 to 97, Taft winning. Tues\nday night by 177 to 150. Taft made\nthe high run of the match with 15.\nSchmitt will play Blondin in about two\nweek, playing 600 to 450, playing two\nnights at Dnnnebacke \'ss and two nights\nat Schmitt Bros. /\nWILL ENLARGE PLANT\nHannahs Manufacturing Co.\nAnnounces Plans For\nNotable Extensions.\nDOUSLE HI) NEXT TEXS\n■\nPlans Provide For the Building of New\nMachine Shop, Dry Kilns, Glue Room,\nPower Plant and Storage Warehouses\n—Ground Is Already Broken.\nAt least one of the manufacturing\nconcerns of Kenosha is ready to back\nits faith in good business prospects and\nannouncement is made that the Han\nnahs Manufacturing company has made\nplhns for buildings to double the ca\npacity of that company and the work\nof building will be started just as soon\nas the building season opens and it is\nprobable that the building operations\nwill cover the better part of a year.\nStarting with the erection of a machine\nroom excavations for which have now\nbeen made the company plans to extend\nnearly every part of the plant and the\nplans include the building of eight new\nbuildings. The machine room will be\none story, 85x120 feet, and adjoining it\nwill be four new dry kilns. These kilns\nwill be each 18x120 feet in size. The\ncompany installed its present kilns\nseven years ago but the system now in\nuse has become antiquated and the\nplans for the coming year provide for\nthe installation of the latest kilns of\nthe Morton company. These, when com\npleted, will give the. company a capac\nity of 40,000 feet of dry lumber daily.\nThe next building will be a new power\nplant and this plant will provide for a\nchange from steam to electric power.\nIt is the plan cf the company to change\nover the pqwer of the entire plant as\nrapidly as possible and electric units of\nthe most modern kind will be installed.\nAnother building is a glue room which\nwill be used for veneering. This build\ning will be two stories in height and\n60x220 feet. With this space the busi\nness of the company may be greatly\nenlarged. The last building in the new\nplans is a great storage warehouse two\nstories in height and 60x122 feet in\nsize.\n“We are planning to double the ca\npacity of the plant,” said L. T. Han\nnahs m discussing the plans of the\ncompany this morning. “We appre\nciate that this building work will take\nsome time but we expect to rush the\noperations as much as possible. Growth\nof the business along many lines has\nmade necessary these big additions to\nthe plant. We desire to take care of\nthe business in the best possible man\nner and in order to keep abreast of the\ngrowing business a very large increase\nin capacity has been demanded.”\nThe Hannahs company has been\ngrowing by leaps and bounds in the\npast few years and the plant is now\none of the largest of the kind in the\ncountry. Its growth lias been a matter\nof especial interest to the people of\nKenosha on account of the fact that it\nhas been the product of local brains and\nlocal capital. The company hopes to\ncomplete all of the new buildings\nplanned by the end of 1914. Of course\nthis large increase in the size of the\nplant will bring a corresponding in\ncrease in the number of men to be em\nployed by the company. The company\nhas in recent months purchased land as\nsites for the new buildings and no fur\nther land will be required to carry out\nthe plans.\nMARRIED AT WAUKEGAN.\nNels Nelson and Katherine Ryan Have\nTrouble Fighting Railway Conductors.\nThere was a Kenosha wedding at\nWaukegan on Tuesday afternoon when\nMiss Katherine Ryan and Nels Kelson,\nboth well known among the young peo\nple of Kenosha, were married at the\nparsonage of one of the Waukegan\nchurches. The wedding was not with\nout a feature as the bride and groom\nhad considerable trouble having their\nwishes carried out. They had planned\nto be married by a minister who had\nofficiated at a wedding of the bride’s\nsister a year ago, but when they reach\ned Waukegan they were besieged by\nconductors on the street ears who were\nseeking marriage business for one of\nthe Waukegan justices. They finally\nmanaged to break away from the\n“commission merchants” and found\nthe home of the minister who perform\ned the ceremony\nThe report that Henry J. Hastings\nhad returned to his home was an error.\nMr. Hastings is still at the Pennover\nSanitarium, but his physicians are hope\nful that he will be able to go to his\nhome the first part of next week.\nKENOSHA, WISCONSIN. JANUARY J, 1914.\nRING OUT. WILD BELLS!\nRing out wild bells, to the wild sKy,\nThe flying cloud* the frosty light:\nThe year is dying in the night;\nRing out, wild bells, and let him die.\nRing out the old, ring in the new.\nRing, happy bells, across the snow*\nThe year is going, let him go*\nRing out the false, ring in the true.\nRing out the grief that saps the mind,\nFor those that here we see no more;\nRing out the feud of rich and poor,\nRin* i l n &*edre.V\': S\\ x^v-.xrJ&iid.\nRing out a siowiy dying cause,\nAnd ancient forms of party strife;\nRing in the nobler modes of life,\nWith sweeter manners, purer laws.\nRing out the want, the care, the sin,\nThe faithless coldness of the times;\nRing out, ring out my mournful rhymes,\nBut ring the fuller minstrel in.\nRing out the false pride in place and blood,\nThe civic slander and the spite;\nRing in the love of truth and right,\nRing in the common love of good.\nRing out old shapes of foul disease;\nRing out the narrowing lust of gold;\nRing out the thousand wars of old,\nRing in the thousand years of peace.\nRing in the valiant man and free,\nThe larger heart, the Kindlier hand?\nRing out the darKness of the land,\nRing in the Christ that is to be.\nTennyson\nHEW SCHEDULE READY\nChange in Parcel Post Rates\nWill be Put Into Effect at\nPostoffice on Thursday.\nWEIGHT LIMIT IS INCREASED\nThe new year will bring reduced par\ncel post rates and Postmaster Baker\nand his assistants are expecting very\nlarge increases in business as a result\nof the new schedule of rates. Under\nthe new plan 50 pounds may be sent by\nparcel post within a radius of 150\nmiles and 20 pounds may be sent to\nany part cf the postal districts. The\nrates for the service under the new\nschedule are announced by the post\nmaster, as follows:\nFirst Zone —Five eenti for the first\npound and one cent for each additional\npound or fraction thereof.\nSecond Zone —Five cents for the first\npound and one cent for each additional\npound or fraction thereof.\nThird Zone —Six cents for the first\npound and two cents for each addi\ntional pound or fraction thereof.\nFourth Zone —Seven cents for. the\nfirst pound and four cents for each ad\nditional pound or fraction thereof.\nFifth Zone—Eight cents for the first\npound and six cents for each additional\npound or fraction thereof.\nSixth Zine—Nine cents for the first\npound and eight cents for each addi\ntional pound or fraction thereof.\nSeventh Zone —Eleven cents for the\nfirst pound and ten cents for each addi\ntional pound or fraction thereof.\nEighth Zone —Twelve cents for each\npound or fraction of a pound.\nPLEASANT PRAIRIE TAX PAYERS\nNOTICE.\nThe undersigned will receive taxes\nfor the town of Pleasant Prairie for\nthe year 1913 at the Merchants and\nSavings Bank, Kenosha, on January 10,\n17 and 31st, all other days at my office\nin Pleasant Prairie.\nThos. A. Yates,\ndw37adv \' Town Treasurer.\nInstallations of officers of the vari\nous Masonic bodies come in rapid suc\ncession the early part of the year. Keno\nsha Chapter No. 3, R. A. M., Friday,\nJan. 2nd., Kenosha Chapter No. 92, O.\nE. S., Wednesday, Jan, 7th., and Keno\nsha Commaudery No. 30, K. T. Friday,\nJanuary 9 th.\nFORD AUTOMOBILES.\nRoadster 5515. Touring Car $565.\nRobbins and Higgins, agents for\nFord autos at Liberty Corners, Salem,\nKenosha county, Wis. Demonstration\nat Arnold and Murdock’s garage, 119\nPark street. Phone 2263. A full line\nof parts will be carried by Arnold and\n.Murdock’s garage and Chester Hockney\nof Silver Lake. advdwtf\nTHE OLD YEAR PUSSES INTO HISTORY.\n1913, the “Hoodoo” Year, Fails to Bring Calamity to Ke\nnosha and Year Proves One of the Most Event\nful in the Opening Century in Kenosha.\nLARGE NUMBER CALLED BY DEATH AND CUPID UNITES MANY\nClosing Year Has Been an Eventful One For the Municipality and Many Things\nHave Been Accomplished For the Advancement of the City—lndustrially,\nYear Is Regarded as a “Freak,” But Factories Show Big Growth—Schools\nAttain High Standard in Offering Practical Education to Working People of\nthe City—Park System Is Subject of Agitation—Many Problems Left Open\nFor the New Year to Give the Solution.\n“Ring out the okl, ring in the new.”\nThe year 1913 has passed into his\ntory. It has been a year of joy and\nsorrow in Kenosha and it has brought\nits blessings and its pains. The year\nhas not been a notable one along any\nlines and there have been few great\nevents to make it stand out prominent\nly in the history of the city. Regarded\nas a hoo-doo year from the start peo\nple have dreaded the coming of calami\nties, yet few years have found less as\ncidents in Kenosha. There have, of\ncourse, been shadows in many hearts,\nbut these have been counterbalanced\nby joys in the hearts of others. The\ndeath rate in Kenosha during the year\nhas been a normal one. The city has\nbeen free from any serious scourge of\ncontagious disease, this being in\nstrange contrast to the preceding year.\nThere has been an unusually large\namount of crime in the city during the\ntwelve months and the courts have been\ncorrespondingly busy.\nIn the affairs of the municipality the\nyear has been one of many accomplish\nments. There has been large extensions\nof the paving and sewer systems of the\ncity. Much has been done along lines\nof systematizing the affairs of the var\nious departments and commissions un\nder city rule. The old trunk sewer\nclaim bogey laid over to 1913 by the\nformer year has been dispose! of in a\nmanner favorable to the city and fair\nto the contractors. Ashland avenue has\nbeen opened. The city has had much\ntrouble during the year in seeking to\nsecure better service from public utili\nty corporations but with the closing\nof the year it appears that most of\nthese problems have been satisfactorily\nmet. The new north side trunk sewer\nhas been started and is nearing comple\ntion, plans are under way to secure\nfiltration for the city water. The big\ngest problem that is being left over to\nthe new year is the problem of ar\nranging the tracks of the North-\nWestern Railway Company aud the\nproblem of securing the entrance of the\ninterurban cars to the heart of the\ncity. This problem was solved early\nin .1913, but the solution was found to\nbe an incomplete one.\nFinancially, the year has been a bet\nter one for the city than the preceding\none and, while taxes are higher than in\n1912, this was made necessary by the\ngreat increase in the state taxes.\nThe Industrial Year,\nAmong the industries of Kenosha\n1913 was a freak year. Up to the first\nof November it\' gave promise of prov\ning a record breaking year so the man\nufacturers, but the last two months of\nthe year have brought a slump. This\nis declared to be only temporary and\nmanufacturers agree that the opening\nof the new year will see nearly all the\nworkmen of Kenosha back in their old\npositions. No new industries of any\ngreat size have been established in the\ncity but a number of small plants have\nbeen opened and these promise to grow\ninto much greater industries before the\nend of another year. Many of the lo\ncal plants have made large additions\nduring the year and the number of em\nployed men and women in the city lias\nbeen increased.\nSchools Broaden Out.\nOne of the notable developments of\nthe year just closing was the broaden\ning out of the w\'ork of the publie\nschool system. Kenosha has done much\ntoward extending practical education\nfor its working classes and the city is\ndeclared to be a model for other cities\nin the state. Coupled with these move\nments have been movements for larger\nand better schools and for the build\ning of the new high school. The play\nground movement has been one of the\nreal live questions in Kenosha during\nthe year and plans which have matured\npromise to offer an early solution for\nthis problem in Kenosha.\nActive work has been done during\nthe year toward the extension of the\npark system of the city. This is cer\ntain to bear fruit within another year.\nNotable among the year’s accomplish\nments in the city was the completion\nof the wall about the Kenosha ceme\ntery. This is regarded as one of the\nOldest Paper\nIn\nThe Northwest\nNUMBER 36\nmost beautiful and substantial pieces\nof work ever done in Wisconsin.\nKenosha has added quo new church\nduring the year, the St. Anthony\'s\nchurch having been opened only a few\nmonths ago.\nThe most notable events of the year,\narranged in chronological order, fol\nlow:\nJanuary.\n3. Kenosha people give noisy wel\ncome to hoo-doo New Year. Frank Ot\nto sends first parcel post package\nthrough Kenosha postoffice.\n2. Death of Mrs. Elizabeth Guiles.\nThomas B. Jeffery Company advances\nmen long in service. Death of Mrs.\nMartha Jacobi. United States court\nsets aside sale of Chicago & Milwaukee\nElectric Railway.\n4. North-Western Railway Company\nannounces plan for new yards for Ke\nnosha.\n5. Louis Brittale shot by Frank\nlaquento in street fight.\n.6 New officials of the county are\nplaced in office. Telephone company\nwins suit for collection of rentals. First\nreal snow storm of the year strikes Ke\nnosha.\n7. Thomas Hansen & Sons bm\np&iiy chartered by the state.\n8. Stanley Conforti wanted for Chi\ncago murder captured in Kenosha. O.\nD. Burkholder, assistant director of\nArt Institute in Chicago speaks to Ke\nnosha Woman ’s Club. Death of David\nDwyer.\n9. Polo league has first game in Ke\nnosha. Death of Mrs. Charles M.\nBarnes. C. D. Pennison, manager of\nKenosha Gas and Electric Company re\nsigns.\n10. August Baltzer announces his re\ntirement as city engineer.\n11. Death of Mrs. Joshua Coshun.\n12. Death of former sheriff Dr. John\nH. Veitch. Death of Myles O’Malley.\n13. Ice harvest is started in Keno\nsrfa county. Death of AloysTus Leise.\nDeath of Mrs. Lucy J. Cady. Mrs.\nMary Ryder, Jong sought by husband,\nlocated in Kenosha. Announcement i 3\nmade that Dewey Hardware Company\nwill quit business.\n14. Directors of Central Leather Co.\nvisit Kenosha plant. William Owens is\nkilled by train south of Kenosha.\nBoard *of Education votes to enlarge\nBain school.\n15. Death of Matthias Orth. Sim\nmons factory men hold a banquet at\nHotel Borup. Death of James G. Moe.\nNew harbor bill provides $24,000 for\nKenosha.\n16. Charles L. Marsh dies at Bristol\nhome. Madame Blumenthal disappears\nfrom Kenosha.\n17. County Board kills plan for>\nbuilding county tuberculosis hospitaL\nState Industrial commission hears many\ncases in Kenosha. Mayor Head forces\nrailway company to obey new traffic\nordinance.\n18. Mountain House on Grand ave\nnue looted by burglars.\n19. Death of Mrs. Louise Locke\nMatzke. William Karpowich shoots his\nsweetheart Anna Antonowicz in a fit\nof jealous rage. L. T. Crossman, secre\ntary of Kenosha Y. M. C. A., accepts\ncall to Rome, N. Y. Death of John\nMich.\n20. Death calls “Old Tom” Duffy.\nMarriage of Miss Frances Fencil and\nDr. O. E. Bellew in Milwaukee.\n21. Marinette officials visit Kenosha\nfire department. Death of Hugh\nMooney of Brighton.\n22. Death of Mrs. Sarah Strong My\nrick. Marriage of Miss Elizabeth\nMisehler and J. S. Dederich.\n23. State railroad commission hears\nevidence against utility conipanies.\nHeal/h board orders vaccination of men\n| exposed to small pox. Kenosha named\nias leader in : f ate report on night\nI schools. North-Western Ry. Co. gets\n1 title to large tract of land at Berry\n; ville. Annual Jewish charity ball at\nthe Academy.\n24. Death of Philip Wade. Supreme\nPresident E. A. Williams of Equitable\nFraternal Union visits local lodge.\n25. Death of Mrs. Elizabeth Schend\nMills.\n26. Dominick shoots acd', 'batch': 'whi_fanny_ver01', 'title_normal': 'telegraph-courier.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85040310/1914-01-01/ed-1/seq-1.json', 'place': ['Wisconsin--Kenosha--Kenosha'], 'page': ''}, {'sequence': 1, 'county': ['Pierce', 'Saint Croix'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85033255/1914-01-01/ed-1/seq-1/', 'subject': ['River Falls (Wis.)--Newspapers.', 'Wisconsin--River Falls.--fast--(OCoLC)fst01206049'], 'city': ['River Falls', 'River Falls'], 'date': '19140101', 'title': 'River Falls journal. [volume]', 'end_year': 2019, 'note': ['Available on microfilm from The State Historical Society of Wisconsin.', 'Description based on: Vol. 16, no. 9 (Aug. 23, 1872).', 'Editors: S.R. Morse, Feb. 23, 1911-Jan. 1, 1925; E.H. Smith, July 5, 1928-June 13, 1929; C.E. Chubb, April 5, 1945-June 27, 1957; G.M. Kremer, July 4, 1957-July 24, 1958; J.V. Griggs, Aug. 23, 1984-', 'Merged with: Hudson Star Observer, and: New Richmond News, to form: Star-Observer.', 'Published also in a weekly ed., Aug. 5, 1873-June 24, 1874.', 'Publisher: A. Morse & Son, <1874>.', 'Semiweekly issues distinguished as 1st and 2nd editions, July 22, 1873-Mar. 20, 1874.', 'Supplements accompany some issues.'], 'state': ['Wisconsin', 'Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'River Falls, Pierce County, Wis.', 'start_year': 1872, 'edition_label': '', 'publisher': 'A. Morse & Co.', 'language': ['English'], 'alt_title': [], 'lccn': 'sn85033255', 'country': 'Wisconsin', 'ocr_eng': 'Advertising\nIf you are fairly “good at figures” you\nwill quickly convince yourself that it\npays to read the advertisements and\npatronize The Journal’s advertisers.\nVOL. 57\n. ■ . • • .1\nL. \' I -\nW IM - u ! “ \' —t— 1\n■ ml I • < \' — —\nJr —if f\'\n■>II f • J\nKMI li I 1 1 i * ~ i\nBaXw I M a!\nPOPULAR TALKS ON LAW\nBy Walter K. Towers, A. 8., J. of the\nMichigan Bar.\nWho Owns the Air?\n“Free as air” is ard\nso long as man had not succeeded in\nmastering the air this was true\nenough. There was air sufficient\nfor f I of us and as none could nay\nigate it with any success, questions\nof the control of the air did not\narise.\nBut now we the aeroplane\nand the airship and we are ; n what\npromises to be the beginning of an\nage of aviation. So it is that the\nlaw is beginning to develop: to keep\npace with the development of aero\nnautics. As yet flying machines are\nfew in number, but it seems that\nwe may well look forward to a time\nin the not far distant future when\nthe passage of aeroplanes and air\nships above us will be no uncom\nmon spectacle. What right has the\naeronaut to pass above our proper\nty? What are his liabilities in case\nhe causes injuries to those below\nhim? These and many similar\nquestions are arising, and the law\nis preparing to answer them as\nthey arise.\nIf one passes over your land, on\nthe surface, without your permis\nsion, be has committed a tresspass\nand though he may have caused no\nappreciable damage to your prem\nises, you may recover small dama\nges in a court of law by way of vin\ndication of your rights. What are\nyour rights against the aeronaut\nwho passes through the air above\nyour property? It is a fundamental\nrule of English law that a person’s\nproperty extends indefinitely down\nward and indefinitely upward. This\nrule has existed since the beginn\nings of law, and qnder it one has\ncontrol of the area above his land.\nA strict observance of this rule\nwould lead to this result: An aero\nnaut who passes above your land is\na technical trespasser, and though\nhe drops nothing upon you or yours,\nthough he cause you no real injury,\nhe has violated your rights —he has\ntrespassed—and you may sue him\nand recover damages. Such would\nbe the logical result of the applica\ntion of the law as it has long exist\ned in English-speaking countries.\nBut it seems highly improbable\nthat the law will be allowed to re\nmain in this condition. Aviation\nhas come to stay and it would seem\nto be a necessity that aeronauts be\nallowed to pass freely over the\nproperty beneath, whether it be pri\nvately owned or a public highway.\nThis necessity seems certain to\ncause a change in the law, which is\nlikely to come in the form of legis\nlative enactments concerning flying\nmachines. The French have already\ntaken action, a law having been re\ncently enacted which extends to\naeronauts free right to navigate the\nair, passing where they will. The\nnation retains the general control\nof the air, however, so that it may\nprevent any but French airships\nfrom flying over French territory,\nand make such regulations as may\nbe necessary.\nAmong the American states Con\nnecticut has taken the lead in pas\nsing legislation of this character.\nA law entitled “An Act Concerning\nthe Registration, Numbering, and\nUse of Air Ships, and the Licensing\nof Operators Thereof” was passed\nby that state in 1911. Under this\nlaw airships are subject to rules\nsimilar to those generally applied\nto automobiles. The owner must\nfile certain information with the\nSec. of State, pay a fee, receive a\ncertificate entitling him to fly, and\na number. This number must be\ndisplayed on the airship in letters\nnot less than three feet in height.\nAirships may be operated only by\nlicensed aeronauts.\nThis law fixes the responsibility\nfor all resulting damages in the fol-\nWE WISH YOU ALL A HAPPY AND PROSPEROUS NEW YEAR.\nThe River Falls Journal\nlowing section:\n“Every aeronaut shall be respon\nsible f>r all damages suffered in\nthis state by any >- son from injuries\ncaused by any voyage in an airship\ndirected by such aeronaut; aud if\nhe be the agent or employee of an\nother in making such voyage his\nprincipal or employer shall be re\nsponsible for such damage.”\nThe states of Massachusetts and\nNew York are considering similar\nlegislation and before many years\nit seems probable that every state\nwill have acted on this subject.\nThe question of fixing the respon\nsibility for damages, which b«s\nb ;en cared for in the Connecticut\nact, is one that is likely to be of\nimmediate importance. The dan\ngers of airships passing over prop\nerty are considerable. Parts, bag\ngage, or ballast might be dropped,\ncausing injury to persons or pro\nperty beneath. The fall of an aero\nplane upon a city might occasion\nsevere damage to those on land, as\nwell as to the unfortunate aeronaut\nBut fancy the damage resulting\nfrom the collision between two\ngiant airships of the Zepplin type\nWith the present interest in avia\ntion and the popular encourage\nment which it is receiving, the atti\ntude of the lawmakers is likely to\nbe favorable to them as far as\ngranting to them the right to freely\nuse the air is concerned Landown\ners are not likely to endeavor to de\nmand a fee from aeronauts passing\nover their property. The legisla\ntors are likely to grant great free\ndom of passage and the courts are\nlikely to sustain the legislation. Of\ncourse, a property owner might ob\nject that when the legislature grants\nthe right to navigate the air freely\nit gives a right to pass over his\nland and thus takes away from him\na portion of his property. Such a\ncontention, if made, will raise some\ninteresting cases, the result of\nwhich no one can foresee.\nBut as to fixing the responsibility\nfor injury resulting from the opera\ntion of airships, the law seems in\ndined to hold the aeronaut to strict\naccount. If the aeronaut wishes to\ntake the risk of riding in the air, he\nmust further take all the risk of\ncausing injury to persons or prop\nerty over which he passes. As mat\nters stand now, even in the absence\nof a statute fixing the responsibili\nties, as in Connecticut, a person in\njured by an airship may almost cer\ntainly recover damages from the\naeronaut. If a passing airship lets\ntall any object which injures your\nproperty you may sue the person\nwho is responsible for the operation\nof the airship.\nA few cases have already arisen\nin England. A British aeronaut\nwas driving his aeroplane and at\ntempted to descend into a field. The\nfield was occupied by a cow and the\ncow apparently resented the appear\nance of this strange object from\nabove. As the aeroplane descended\nthe cow rushed toward it, making\nhostile demonstrations. The aero\nnaut endeavored to avoid the infur\niated bovine, but was unsuccessfull\nand her cowship succeeded in plung\ning beneath the machine just as it\nreached the earth. The resu.ts\nwere disasterous to the cow, and\nthe sequel came when the farmer\nwho owned the cow sued the aero\nnaut and recovered damages for\nthe loss of the cow.\nThe aeroplane has found its way\ninto the classified ad columns as\nwell as into the courts, as witness\nhe following interesting ad which\nappeared in a German newspaper:\n“Lost from an aeroplane, a gold\nwatch and chain. Last seen disap\npearing in large stack of rye on a\nfield near Ulzen.”\n(Copyright, 1913, by Walter K. Towers )\nThe insurance business of Jay H.\nGrimm has been moved to room 107\nTremont Building. —adv.\nRIVER FALLS, WISCONSIN, JANUARY ), 1911\nCHRISTMAS SEALS\nRed Cross Christmas Seals were\nsold in River Falls as follows: by\nchildren of the Public School $34.18,\nby the Normal School $5 71, by the\nmerchants $4 01, total for the city\n$43 90. This is a larger sale than\nhas ever been made in River Falls\nbefore yet is not up to what neigh\nboring cities of this size are doing.\nBy the generosity of the River\nFalls business men the following\nprizes were awarded to the children\nof the Public School who sold the\nlargest number of seals.\nBessie Morrow - $1.50 in mer\nchandise by J. W. Allard.\nHelen Smith - $1.50 in mer-\nchandise by Stewart Merchantile\nCo.\nEdward Lundeen - pair of Skiis\nby A. W. Lund.\nMargaret Smith - Jersey by\nJohnson & Cranmer.\nEsther Maier - cap by Hage\nstad & Co.\nFlorence Parsons - piece of crock\nery by Norseng Bros.\nHarold Baker - pair of skates by\nDr. Cairns\nDr Cairns,\nLocal Manager\n“WHERE THE TRAIL DIVIDES”\nDrama Pleases Large Audience ai Gales\nburg. Will Appear Here <Jan. 22\nWith a cast of characters seldom\nexcelled in any way. “Where the\nTrail Divides” was ably presented\nat the Auditorium Theatre Tuesday\nevening, and it was witnessed by a\ngood house. The play is a clean\none and many points which are in\nspiring to fairminded lovers were\nforcibly presented by the players,\nin their appearance here.\n‘Where the Trail Divides” is a\ndrama mixed with comedy and sad\nness in four acts, dramatized from\nWill Littlebridge’s novel of the same\nname. It was indeed favorably pre\nsented here by C. S. Primrose,\nwhose fame is wide-spread.\nThe scenes are interesting and\ntypical of the far west life. Ralph\nBurt, as Bob Manning, the old\ncountry storekeeper who tries to do\nthe right thing all the way through,\nand Edward Helms, playing the\npart of Ma-Wa-Cha-Sa, the Indian\nknown as How Lander, were the\nstars. Elizabeth Lander’s part\nwas very capably played by Miss\nElizabeth Gilmore, a handsome\nbrunette with a splendid figure,\nwho decides to marry an Indian\nand live with him, despite the strong\ncoaxing of Archie Anderson, who\nwas also an interesting character\nin the presentation here.\nRolle B Williams and Clayton\nCraig have important parts in the\nplay and their work was highly\ncomplemented by Galesburg people\nDaily Republican Register, Gales\nburi?\', 111., Wednesday, Oct 8. 1913\n“Where the Trail Divides” will\nappear at the Auditorium, River\nFalls, Wis., January 22, 1914.\nCONTRACTORS’ NOTICE\nNotice is hereby given that the\nboard of directors of the River\nFalls Co-operative Creamery Co.\nwill receive sealed bids for the erec\ntion of a Creamery Building Jan. 15,\n1914, at 2:00 P. M., at H. A. Hage\nstad’s store.\nThe structure to be built of ce\nment blocks lined with hollow tile,\ndimensions of main building 66x36\nft., 14 ft. in height with annex boiler\nroom 24x26. Building to be erected\nas early as possible in the spring.\nPlans and specfications on file at\ncreamery.\nBids to be accompanied by Certi\nfied check for S2OO 00.\nThe board reserves the right to\nreject any cr all bids. —adv.\nFor the candy hungry boy —give\nhim Shepard’s “Strained” honey\nNORMAL SCHOOL REGENT\n>\n3 .\n7\nP. W. RAMER\nGovernor McGovern last week\nappointed Mr. P. W. Ramer, of this\ncity, to succeed Hon. George\nThompson, of Ellsworth, as the\nlocal member of the State Board of\nNormal School Regents. Mr. Ramer\nis indeed well qualified to fill this\nposition an J all interested in the\nRiver Falls Normal school feel th t\nwith Mr Ramer as Regent, and Mr,\nCrabtree as President, the business\nof operations of this institution\nwill be in most competent hands,\nand that the school should continue\nits prosperity with certain, steady\nstride.\nHon. George Thompson resigned\nhis regentship a short time ago to\naccept the position of Circuit Judge\nof this district. His term as regent\nwould have expired the first Mon\nday in February, 1914.\nKNOWLES SUCCEEDS\nTHOMPSON\nAtty. W. P Knowles, of this city\nhas been appointed by Governo>\nMcGovern to succeed Judge Thomp\nson as district attornev of Pierce\nCounty. Mr. Knowles will com\nmence his duties in this office next\nMonday.\nIn this appointment the Governor\nhas made a choice highly satisfac\ntory to the people of this district.\nMr. Knowles is a talented and able\nattorney and he is well qualified for\nthe duties of this office. He has\nalways shown a hearty interest in\nthe public welfare and has backed\nthis interest by lots of hard, con\nscientious work His friends in this\ncommunity are glad to note this\nreward for his past services, and all\nfeel certain that his career in this\noffice will be marked with decided\nand brilliant success.\nAN APPRECIATION\nMann Valley, Wis ,\nDec 27, 1913.\nEditor,\nRiver Falls Journal.\nYour paper has been a welcome\nvisitor in our home for some years\nand we thought that a word of ap\npreciation might be encouraging to\nyou.\nWhile the news of course are the\nitems first looked for, we find it\nbrim full of other instructive and\ninteresting reading matter.\nWe have especially been glad to\nnotice a sermon by Pastor Russell,\nwhich we read with great interest\nand find it highly instructive and\nhelpful, making it more easy to\nunderstand the bible. He seems ot\npreach a little different from other\npreachers in that he is speaking of\nthe Millennial reign o f Christ\nspoken of in the Opokotypce which\nall other ministers seem to ignore.\nHoping to see it continued, ve\nare wishing you a prosperous New\nYear.\nN. P. Swenson, and family,\nR. R 4, City.\nH. A Blodgett, president of the\nBrown, Treacy & Sperry Co , was\nelected president of the St Paul\nCommercial Club on Tuesday of\nlast week. Mr. Blodgett purchased\na farm adjoining Ilwaco Springs\nand spends the summer months\nthere with his family.\nWASHINGTON\nFROM JAMES A. FREAR, MEMBER OF\nCONGRESS, 10th DISTRICT\nTwenty thousand people gathered\nChristmas Eve in front of the Capi\ntol to celebrate a community Christ\nmas tree. The President’s band\nwas stationed near the main steps.\nOn the lower steps were a thousand\nsingers who contributed their ser\nvices, while above and in front nl\nstatuary on either side of the en\ntrance were the wise men from the\nEast, angels with outstretched\nwings, Babe in the Manger and oth\ner figures in a series of tableaux.\nOut on the p.aza a few yards dis\ntant stood a huge Norway pine,\ncovered with thousands of incan\ndescent lights, with a brilliant elec\ntric star glistening from the top\nmost branch. Calcium lights thrown\nupon the figures added to the beau\nty of the occasion so that betw en\nmusic, lights and tableaux, it all\nemed a veritable faryland\nFrom where I was standing on\nthe steps, the spectacle was inspir\ning and it occurred to me that al\nthough every Preside t from Wash\nington and Lincoln down to Wilson\nhad looked cut from the same p irr\nand across the same plaza, none had\nwitnessed a more beautiful or im\npressive scene. No presents were\niven, no was slighted and do\nneart burnings followed Everybody\nwas welcome and the last remem\nbrance of the occasion was had\nfrom a mammoth electric sign\nreaching a hundred feet above and\nacross the main entrance of the\nCapitol, bearing the message to\n\'ens of thousuads, “Peace on Earth,\nGood Will to Men.”\nSenator LaFollette’s seaman’s\nnill has brought forth many protests\ntrom the shipping interests along\nlake Michigan. As it passed the\nSenate the bill requires a sufficient\nnumber of life boats to carry all\npassengers. This may create some\ninconvenience or additional expens\nout the gilded parlors of the Titanic\noffered little comfort to those who\nwent down because of lack of boats\nThese protests argue that liyes\nare much safer on the lakes than on\nthe ocean although generally speak\ning lake passenger boats are unable\nt > get near the shore because (f\ntheir draught and it would be as\ndisagreeable •> be drowned within\na few yards of shore as out in the\nmiddle of the ocean. One of th\nminagers of a line of lake vesse s\nwas heard to say he would not risk\nhis family on a nignt trip across\nthe lakes, because of the possibility\nof fire or other accident and con\nsequent loss of life. Under present\nconditions life boats are not pro\nvided for one-tenth of the passen\ngers on the average vessel, which\nillustrates the good judgment of\nthis manager in his desire to pro\ntect his own people from danger.\nLaFollette’s bill extends full pro\ntection to every passenger whether\nriding on the lake or ocean, or in a\nluxurious first cabin or down in the\nsteerage.\nCongressman Hayes of California\nis the senior member of the Re\npublican minority of the Banking\nCommittee that handled the cur\nrency bill. He is an experienced\nbanker and because of position on\nthe Committee assumed charge in\nthe House of the discussion against\nthe measure. On the night the bill\npassed, Mr Hayes was in the street\ncar bound for the White House,\ngoing at the President’s invitation\nto witness his signature to the new\nlaw. Previous to the bill’s passage\nI had briefly discussed it with Mr.\nHayes and now that it is no longer\nan issue, I asked for his frank\nopinion on its probable effect on\nbusiness. He answered that the\nnew currency law was better than\nthe old act which authorized Nat-\nSOCIAL AFFAIRS\nMiss Eya White entertained\ntwenty couples at progressive rum\nmie Monday evening. Mrs. Con\nstance .Thorsen won the honors,\nvhile Mr. H.. Rudow was awarded\nthe consolation prize.\nA number of the young men of\nthe city, who are teaching or at\ntending school out of town, enter\ntained at a private dance in Syn\nlicate hall last Friday evening.\nMiss Gertrude Mossier chaperoned\nhe party. There were twelve\ncouples in attendance.\nMiss Gladys Stiles entertained at\ncards Tuesday evening.\nMr Earle Whitcomb had as guests\nat dinner Monday evening fellow\nmembers of the Acacia fraternity,\nwho are spending the holidays at\ntheir homes here, and their ladies\nIn the party were Mr. and Mrs.\nWarren Clark, of Beulah, Mich.,\nMiss Coie Winter, Miss Eva White,\nMiss Renee Romdenne, Mr. Ott\nWinter, and Mr. Henry Rudow\nThe social hop at the Auditorium\nnst evening was a very pleasant\naffair and was well attended.\nMr and Mrs Everett Fuller, Mr.\nand Mrs. A. M. Baldwin and Mr\nand Mrs. W E Tubbs entertained\nT a cards at Syndicate\nH I Monday evening. The hall\nwas beautifully decorated for the\noccasion. Refreshments were ser\nved in cafaterea style, tables\nbring placed on the dancing flooi\nwhile the guests were collectin’,\ntheir dishes and delicacies “"at the\ncounter.” Music was furnished by\nan orchestra consisting of Mr.\nJohn E. Howard, and Messrs. Crane\nand Zimmerman, of Hudson.\nDuring the general exercise per\n>od at the Normal school this morn\ning, John Kuehnl, a student in the\npolitical science class, gave a\nthorough and highly interesting talk\non the features of the workmen’s\ncompensation act. He explained\nthe law and its exact application to\nboth employer and employee\nOshkosh Daily Northwestern. Mr\nKuehnl was.a member of the 1913\ngraduating class of the River Falls\nhigh scho’U\nThe baseball game scheduled for\nChristmas morning was called off on\naccount of the sudden drop in the\ntemperature, and the accompany\ning snow flurry.\ni >nal Banks to issue currency based\non the two per cent government\nbonds While the law had several\nobjectionable features including\nthe partizan makeup of its Federal\nBoards, he belived the good feat\nures outweighed the objections and\nsuccess or failure would largely\ndepend upon its administration\nInflation of the currency’might be\n| brought about through poor man\nagem -nt he said, but he conceded\nthat money string ncies like that of\n1907 were not likely to ever occur\nagain. Mr. Hayes’ judgment will\nbe accepted as that of a financier\nwho ought to know and, on the\nwhole, it is importan- to learn that\nhe believes the new law is an im\nprovement over the old one. On\nthe final vote Cooper, Stafford,\nCary, Esch, Lenroot, Nelson and\nthe writer together with the Demo\ncratic members of the Wisconsin\ndelegation joined 80 per cent of the\nHouse Members in support of the\nmeasure.\nC ingress meets after the recess\non January 12th with many import\nant matters to consider. During\nthe recess, time is given to meet re\nquests from constituents who have\ndifferent interests before the De\npartments and it also gives extra\ntime in which to clear up corre\nspondence that reaches to scores of\nletters every day.\nJob Printing\nThat is a part of our business, and we\npride ourselves in doing the best\nand neatest kind of work, i’atroiti/.e\nthe .Journal Job Print. Quick service.\nTHIRTY-SIX YEARS Afifl . £ 45\nT«ksn Fro.n The River Falls Jjurnal\nof January 3,1878\nSumner A. Farnsworth,\nwho is teaching at Brainerd, .viuin ,\ncame down to spend his vacitim\nwith his parents. Minnesota weath\ner seems to agree with him.\nDuring the warm weather of the\npast week many farmers hereabouts\nresumed plowing; we also hear of a\ntew who sowe 1 wucat.\nMessrs. Clint Winchester and\nHersey Lord, with their families,\nspent the holidays at the lumber\ncamp of Jake Lord, Esq., at Hink\nley.\nA new paper has just been start\ned at Durand called the Pepin Coun\nty Courier, edited by Mr. W. H.\nHuntington.\nFrank Thayer, of the Pierce\nHouse, while out hunting last\nTuesday, came in contact with a\nlarge gray wolf that did not seem\ndisposed to bear kindly with the\nsalute from Frank’s revolver, and\nmanifested a strong desire for re\nvenge, out the timely arrival of the\ndog that “dispersed” the vicious\nanimal prevented what might have\nOeen a serious encounter.\nWe understand that Sherlock\nWales wii) return f I>(n his trip to\nCau tda ccouip . .u-o py one of the\nfair sex ..s his u.ide.\nMartell has six acres of apple\nrees growing.\nJo. Wadsworth is running an ex\npress for the accomodation of the\ncitizens of this village.\nOBITUARY\nWILLI \\M Al tCLT AN\nThe funeral of William Mac Lean\nwas he\'d from the family home,\nfour miles from Prescott, at two\no’clock Tuesday P. M., December\n23, Rev. Evert officiating. Inter\nment was made in Pine Glen cem\netery.\nOn Sunday in the early afternoon,\nMr. Mac Lean quite suddenly de\nparted this life after an heroic\nstruggle for weeks at St. John’s\nHospital, St. Paul, Minn. His\nwholesome life and his sturdy\nScotch blood of inheritance carried\nhim thru two severe operations,\nbut death has snatched him away,\njust as his friends were most hope\nful ot his recovery and return to\nhis home.\nSo brave, so honest, so genial, as\nboy and man, so tender and gentle\nwith every living thing, a devoted\nson to his mother in her declining\nyears, the kindly neighbor, these\ntraits have won for him all honor\nfrom the people of his home town\nand birthplace. Mr. Mac Lean was\nborn near Prescott March 27, 1877.\nHe was married to Margaret\nRoberts on the second day of March\n1912. Their brief but ideally happy\nmarried life will be a soothing\nmemory to his family.\nHis devoted wife and brothers,\nR. B. Mac Lean of St. Paul, Minn ,\nand Lee Mac Lean of Prescott\nspent these anxious weeks at Will’s\nbedside or within c; 11.\nIn their deep grief they must\nsurely be comforted with the ten\nderest and choicest memories of\nWill all along the way they have\ntraveled together on earth.\n"The good that men do lives\nafter them.” * * *\nGilbert R. Thurston, a pioneer\nresident of Ellsworth, died sud\ndenly of heart failure the 23rd inst.\nat his home in that village. He\nwas seventy-two years of age. He\nis survived by his wife and three\nchildren, Joseph E., W. Earl, and\nMiss Kuie. Mr. Thurston was a\nveteran of the Civil war, having\nserved in Co. C, 30th Wisconsin.\nNO. 43', 'batch': 'whi_hegmeister_ver01', 'title_normal': 'river falls journal.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85033255/1914-01-01/ed-1/seq-1.json', 'place': ['Wisconsin--Pierce--River Falls', 'Wisconsin--Saint Croix--River Falls'], 'page': ''}, {'sequence': 1, 'county': ['Dodge', 'Jefferson'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85040721/1914-01-02/ed-1/seq-1/', 'subject': ['Watertown (Wis.)--Newspapers.', 'Wisconsin--Watertown.--fast--(OCoLC)fst01212850'], 'city': ['Watertown', 'Watertown'], 'date': '19140102', 'title': 'The Watertown weekly leader. [volume]', 'end_year': 1917, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Available on microfilm from The State Historical Society of Wisconsin.', 'Editor: E.W. Feldschneider, Dec. 19, 1913-Dec. 29, 1914.', 'Issued also in a daily edition called: Watertown daily leader, March 6-<July 31, 1916>.', 'Publisher varies.'], 'state': ['Wisconsin', 'Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Watertown, Jefferson County, Wis.', 'start_year': 1912, 'edition_label': '', 'publisher': 'W.L. Swift', 'language': ['English'], 'alt_title': ['Weekly leader'], 'lccn': 'sn85040721', 'country': 'Wisconsin', 'ocr_eng': 'THE LEADER\nhas a large circulation in Jefferson and\nDodge Counties and is a good advertising\nmedium. A trial will convince you. :-; :\nE. W. FELDSCHNEIDER. Editor and Publisher.\nST. MARY’S\nHOSPITAL SOLD\nCatholic Sisters of Techny. Illinois.\nClose the Deal This\nWeek\nThe Sisters of the Holy Ghost of\nTechny, Illinois, have purchased St.\nMary’s Hospital in this city and are ex\npected to take charge of it in a short\ntime. The hospital was established in\nin 1007 and under the able management\nof Dr. C. J. Hahhegger has flourished\nand has become widely and favorably\nknown, having been of invaluable ser\nvice to the community and was a God\nsend to many. The Sisters will take\ncharge of the hospital in a few days.\nDr. Hahhegger will continue his practice\nhere.\nSell 11.450 Seals\nLincoln school captured a majority of\nthe honors in the seal selling contest\nclosed last week. Their efforts are large\nly responsible for a lug sale of the little\nstickers offered for disposal by the Anti-\nTuberculosis society, a loial of 11,45f\nstamps having been sold by the pupils\nof the city schools. Sales by pupils in\nthe rural schools and at Northwestern\ncollege and others will swell this number\nconsiderably.\nThe names of the winners and\ntheir school are as follows:\nMargaret Tauck, First grade. Lincoln.\nCharles Fading, Second grade, Lincoln.\nMargaret Boelt, Third grade, Douglas.\nLouis Werner, Fourth grade, Lincoln.\nChas. Kohu, Fifth grade, Douglas.\nLouise Koenig, Sixth grade, Douglas.\n\\ iolet Wolfram, Seventh grade, Liu\ncoln.\nMary Woodard, Marie Schmutzler,\nEighth grade, Lincoln, tie.\nHerbert Eugelke, High school.\nThe prize for the highest individual\nwas won by Kay Simon. Prize winners\nmay secure their prizes Monday at Carl\nNuwack’s furniture store, where they\nhave been on exhibition the past week.\nWisconsin Inventors\nThe following patents were just issued\nby D. Swift &Cos., Patent Lawyers, Wash\nington, D. C., who will furnish the copies\nof any patent for ten cents apiece to our\nreaders. Theodore C. A moth, Madison,\nHorseshoe; Henry M. Bnllis, Milwaukee,\nPrinting press attachment: Charles E.\nCleveland, Fond du Lac, Twin band saw\nmill; George K. Do Wein, Milwaukee,\nVanner; Otto M. Gilbertson. La Crosse.\nMachine for cutting and feeding sani\ntary paper covering for closet seats;\nMichael Iverson, Stoughton, Surgical\nappliance; Theodore W. Jordon, Milwau\nkee, Trolling device; Fred N. Lang, Bay\nfield, adhesive plaster; John K. Mo He,\nWausau, Hue spacing mechanism for\ntypewriters.\nSerial By Robert W. Chambers\nWe doubt if there is a reader of the\nLeader who is not familiar with the writ\nings of Hol>ert W. Chambers, one of the\nforemost of present-day popular authors,\nand for that reason the announcement\nthat one of his best stories, “The Maids\nof Paradise,” is to appear in this paptr\nin serial form will excite more than or\ndinary interest. If you like good fiction\nyou will enjoy this rushing story of the\nFranco-Prussiau war of 1870. Our issue\nof Jan. 14 will contain the first install\nment.\nElect Officers\nAt the annual meeting of the Build\ning Trades Council the following\nwere elected:\nPresident—Henry E. Krueger.\nVice President—Henry Hoffmann.\nTreasurer —Ewald Kaliebe.\nRecording secretary —Hugo Laabs.\nFinaueial secretary —Harry Schlueter.\nBusiness agent Henry K. Krueger.\nMany Autos\nAccording to the returns of the sever\nal town and city assessors there are 433\nautomobiles in Jefferson county, the fixed\nvaluation being §272,810; and yet we hear\nmuch of hard times and sighs for the\n“poor peeple.” The returns show that\nthere are 13 in the town of Konia; Con\ncord 14; Farmington 14; Watertown 8\nand 03 in the city of Watertown.\nWorms the Cause of Vo ir Child\'s\nPains\nA foul, disagreeable breath, dark cir- 1\nales around the eyes, at times feverish,\nwith great thirst; cheeks flushed and\nthen pale, abdomen swollen with sharp\ncramping pains are all indications of\nworms. Don\'t let your chila suffer—\nKICKAPOOWORM KILLER will give\nsure relief —It kills the worms—while\nits laxative effect add greatly to the\nhealth of your child by removing the\ndangerous aud disagreeable effect of\nworms and parasites from the system.\nKICKAPoO WORM KILLER as a health\nproducer should be in every household.\nPerfectly safe. Buy a box today. Price.\n25c. All Druggists or by mail. KICKA\nPOO INDIAN MED. CO. PHILA. or ST.\nLOUIS.\nAnnounce Engagement\nDr. and Mrs. F. B. Hoermana announce\nthe engagement of their daughter, Adele,\nto Lawrence E. Clark of Honolulu.\nChe matmown meekly Leader\nT --- x=- J===3\nSocial Doings\n•*-- - \'■\nA marriage of much interest took\nplace Saturday afternoon December 27\nat the Immanuel Church when Miss\nLaura Kramer daughter of Mr. and Mrs.\nAlbert Kramer became the bride of Mr.\nGeorge Terwedow. the Kev. George\nSandrock officiating. The young couple\nwere attended by Miss Elnora Baskey,\nMiss Clara Kosbab and Messrs. George\nGuetzlaff and Fred Menge. The bride is\none of Watertown’s popular young\nladies. The groom is a sou of Mrs. Carl\nTerwedow and is a favorite among his\nassociates. He is foreman of the print\ning room at the I. L. Henry Box Com\npany. The young cot pie will start\nhousekeeping at 109 Herman Street.\nThe marriage of Miss Celia Oestreich,\ndaughter of Mr, and Mrs. Charles\nOestreich and Mr. Fed Guetzla.T, both\nof Watertown, took place at a Lulhern\nchurch in Milwaukee Tuesday, last week,\nat 4 o’clock. The young couple were at\ntended by the groom’s married sister and\nher husband who reside in Milwaukee.\nThe groom is a tailor by trade and is\nemployed at the Rogler lailoiing shop.\nHe is the son of Mrs. Henrietta Guetz\niaff. The young couple will make their\nfuture home in Washington street.\nTheir many friends offer congratula\ntions.\nThe many friends of Miss Helen Zill\nmann and Mr. Martin F. Zoellick will\nbe interested in learning of their mar\nriage which occurred at 3 o’clock Tues\nday afternoon at the home of the bride\nin the town of Emmet, The ceremony\nwas performed by the Kev. F. H. Eggers\nand was witnessed by a number of friends\nand relatives, a reception following the\nceremony. The groom is a well-known\nbusiness man being engaged in the\njewelry business in Main street. The\nbride is an accomplished and popular\nyoung lady and the couple enter married\nlife with the well wishes and congratu\nlations of their many friends. They will\nreside at the home of the bride.\nA happy reunion of the family of Mr,\nnud Mrs. Leonard Soldner was held at\ntheir home in the town of Lowell on\nsecond Christmas day. All the children\nwere present as follows: August Solduer,\ntown of Emmet; Mr. and Mrs. George\nSolduer and family, Mr. and Mrs. John\nNeis and family, Mr. and Mrs. Henry\nReinhard, town of Lowell; Mr. and Mrs.\nWillie Soldner, Roeseville; Mr. and Mrs.\nHerman Soldner, town of Lowell; Mr.\nand Mrs. Charles Schmoldt, town of\nLowell; Julius Lehmann, Tennessee.\nMiss Helena Faltersack, daughter of\nPeter Faltersack of Rich wood, and Mr.\nWalter Paschken of London were married\nat 2 o’clock Monday afternoon by Justice\nW. 11. Rohr in his office. Chester Stras\nberg of London and Max Rohr acted as\nwitnesses. The bride is but 16 years of\nage and was granted a license to marry\nonly after her father had visited the\nclerk and signified his willingness to\nallow the maniage. The groom is a\nharness maker at London, and will take\nhis bride there to reside.\nA number of friends of Miss Lillian\nKoenig tendered her a pleasant surprise\nSaturday evening. Those present were\nJennie Jones, Anna Biefeld, Dela Wendt,\nMarion Perry, Meta Zillmer, Florence\nKoenig, Frank Spear, Arthur Pieritz,\nSeth Perry, George Perry, Donald Potter,\nFred Schultz and Will Riess.\nMiss Hattie Zoelle entertained a few of\nher friends Tuesday evening at her home\nin Monroe street. The time was pleasant\nly spent in cards and music. Light re\nfreshments were served.\nMrs. Frank Jennings entertained the\nSewing Club at her home in O’Connell\nstreet Monday evening.\nDrug Store Moves\nOwen’s Drug store, which has been\nlocated on North Second street for the\npast year or so, is being removed to\nlarger quarters, 412 Mam street, near\nthe corner of sth street. Most of the\nstock and fixtures have already been\nmoved to the new store, and Mr. Owen\nis now busy getting things in shape.\nWith the nice new r oak fixtures that are\nbeing installed, the store certainly ought\nto make a dandy appearance. The place\nwill be open for business about Monday,\nJan. sth.\nIs Presented Cup\nMr. Henry Mulberger has severed his\nconnection with the Globe Milling Cos.,\nas its manager and is now actively asso\nciated with the Bank of M atertown. Mr.\nMulberger was presented with a hand\nsome silver loving cup by the employes\nof the company.\nAdvance Information.\n“Was it a case c Z love tt first\nsight?” "They caJl it that, al hough\nbefore they met she had heard that\nhe was wealthy and he had been told\nshe was an heiress.”\nDaily Thought.\nThe man that loves and laughs must\nsure do well. —Pope.\nDon’t jump on the “water wagon” too\nhard, for you might break it; but vou\nwant to jump as hard you as can on to\nthe bargains you can get at the Central\nTrading Cos.\n50 POUNDS BY\nPARCELS POST\nLimited To the First and Second\nZones and Ruin Now\nIn Fores\nOn ahd after January 1, 11)14, tlie\nlimit of weight of parcels of fourth-class\nmail for delivery within the first aud\nsecond zones shall be increased frortf 20\nto 50 pounes, aud in Die third, fourth,\nfifth, sixth, seventh and eighth zones\nfrom 11 to 20 pounds.\nThe rate ou parcels exceeding four\nounces in weight in the local and first\nand second zones snail be as follows:\nLocal —Five cents for the first pound\nand one cent for eacli additional two\npounds or fraction thereof.\nFirst Zone —Five cents for Dio first\npound and one cent per pound for each\nadditional pound or fraction thereof.\nSecond Zone Same rales as first zone.\nThird Zone —Six cents for the first\npound and two cents for each additional\npound or fraction thereof.\nFourth Zone—Seven cents for the first\npound and four cents for each additional\npound or fraction thereof.\nFifth Zone —Eight cents for the first\npound and six cents for each additional\npound or fraction thereof.\nSixth Zone—Nine cents for the first\npound and eight cents for each addition\nal pound or fraction thereof.\nSeventh Zone —Eleven cents for the\nfirst pound and ten cents for each addi\ntional pound or fraction thereof.\nEighth Zone —Twelve cents for the first\npound and twelve cents tor each addi\ntional pound or fraction thereof.\nAT THE CHUKCHES\nFirst Church of Christ, Scientist —\nServices held Sunday at 10:30 a.\nm.„ Subject, ‘ God.”\nTestimonial meeting Wednesday\nevening at 8 a’clock. All are cordially\ninvited to these meetings. Sunday\nschool immediately following morning\nservice. Reading room, Cor, Fifth and\nSpring streets, open every afternoon\nexcept Sunday from 2:30 until 4:30\no’clock.\nSt, John’s Lutheran church —Sunday\nschool at 9 a. m.; services at 10 a. m.;\nEnglish services every second and last\nSunday in the month at 7:30 p. m.\nSt. Mark’s Lutheran church—Sunday\nschool at 9 a. m.; German services at 10\na. m. English services the first and\nthird Sunday of Die month at 7:30 p. m.\nMoravian church—Sunday school at\n9:15 a. m.; German preaching service at\n10:30 a. m.;Y. P. S. C. E. at 6:30 p. m.;\n7:30 p. m. evening services.\nGerman Baptist church—Sunday school\nat 9:15 a. m.; preaching services at 10:30\na. m.; young peoples’ meeting at 6:30 p.\nin.; evening services at 7:30 p. m.\nSt. Paul’s church —Holy communion\nat Ba, in.; Sunday school at 9:30 a. m.;\nmorning prayer at 10:30 a. in.; evening\nprayer at 4:30 p. m.\nSt. Luke’s Evangelical Lutheran\nchurch—Preaching services at 10 a. m.\nand 7:30 p. in,; Sunday school at 2 p. m.\nSt. Henry’s Catholic church —Low\nmass at 8:00 a. m.; high mass at 10 a. m.;\nSunday school and vespers at 3:30 p. m.\nSt Bernard’s Catholic church—Low\nmass 8 a. m.; high mass 10:30 a. ra.\nCongregational Church—Sunday 11 A.\nM. Special Music. Sermon ‘‘Commu\nion”. At 6:30 p. in., C. E. Leader, Rev.\nN. Carter Danlell. Topic, John 3 16.\nA Busy Force\nThe force in the central telephone\noffice answer calls from 940 phones in\nthe city and 560 on rural lines, so be\npatient when you call up the central\noffice and do not receive a reply ins^anter.\nStevenson on Life.\nWe are not meant to be good in this\nworld, but to try to be, and fail, and\nkeep on trying; and when we get a\ncake, to say, ‘‘Thank God!” and when\nwe get a buffet, to say, “Just so: well\n¥t!” —Stevenson.\nCOMING”TO\nWatertown, Wisconsin\nUNHID DOCTORS SPECIALIST\nWILL BE AT THE\nCOMMERCIAL HOTEL\nSaturday, January 17\nONE DAY ONLY\nHours 10 a. m. to 8 p. m.\nRemarkable Success of these Talented\nPhysicians in the Treatment\nof Chronic Diseases\nOffer Their Services\nFree of Charge\nThe United Doctors, licensed bv the\nState of Wisconsin, are experts in the\ntreatment of diseases of the blood, liver,\nstomach, intestines, skin, nerves, heart,\nspleen, kidneys or bladder, diabetes, bed\nwetting, rheumatism, sciatica, tape\nworm, leg ulcers, appendicitis gall\nstones, goitre, piles, etc., without opera\ntion, and are too well known in this lo\ncality to need further mention. Labora\ntories, Milwaukee, Wisconsin. Call and\nsee them.\nWATERTOWN. JtiTERSON COUNTY. WIS., JANUARY 2. 1914-\nMeal Inspection\nThe United Stales government pro\nvides for inspection of all meat picking\nplants which are engaged in interstate\nand foreign commerce. The, methods\nemployed in large plants are exceedingly\ninteresting. First, an inspection is made\nof all live animals and "suspects” arc\nculled for especially careful observation\nand regulated handling. After slaugh\nter, each nrocess in the further prepara\ntion of the carcass for the market, is\ncarefully watched The inspectors be\ncome highly skilled in the detection of\nevidences of diseased tissue which passes\nunder their eyes and hands.\nAs in the case of the first live Inspec\ntion upon the first suspicion of disease,\nan indelible brand sir-pends further prep\naration of the meat. The carcass is then\nshipped to a special examining room for\nfurther study and final disposition. By\nthis means, to reach the consumer the\nbody of a diseased animal would have to\npass the marvelously keen observation of\na number of highly skilled inspectors.\nThe diseases most often found are\ntuberculosis and actinomycosis in cattle;\ntuberculosis, hog cholera and various\nblood and organic diseases in swine.\nSome states have provided for inspec\ntion of abattoirs not under federal juris\ndiction. Wisconsin has made no such\nprovision. Dealers are sometimes sus\npected of offering for sale to inspected\npacking houses, only those animals which\nare presumably healthy. If this be so,\nmeat from uninspected slaughter houses\nis apt to be considerably below the nor\nmal average as concerns freedom from\ndisease.\nIn addition to the detection of diseased\nmeat, the inspectors maintain a close\nsnr yell lance over the general cleanliness\nof the plant. If the packers ever resent\ned the rigid demands of the government,\nno such resentment is now manifest.\nUndoubtedly, they recognize the govern\nment stamp of approval to he of distinct\ncommercial value.\nWonderful Cough Remedy\nDr. King’s New Discovery is known\neverywhere as the remedy which will\nsuwily stop a cough or*culd. D. P. Law\nson of Kidson, Tenn., writes: "Dr. King’s\nNew Discovery is the most wonderful\ncough and throat and lung medicine 1\never sold in my store. It can’t be beat.\nIt sells without any trouble at all. It\nneeds no guarantee.” This is true, be\ncause Dr. King’s New Discovery will re\nlieve the most obstinate of coughs and\ncolds. Lung troubles quickly helped by\nits use. You should keep a bottle in the\nhouse at all times for all the members\nof the family. 50c. and 11.00, All Drng\ngises or by mail 11. E. BUCKLEN & CO.\nPHILADELPHIA or ST. LOUIS.-Ad.\nRogers May Be Candidate\nIt is intimated, that Judge Charles B.\nRogers of Fort Atkinson, may seek the\ndemocratic congressional nomination in\nthis, the second district. Judge Rogers\nis a mighty good man and would make\nan ideal congressman, lie will have to\ncompete with a strong opponent in Hon.\nM. J. Burke who now holds the office.\nBig Story I\nbe It\nTussian I\n1870 J\nlhat is what we have\nto announce in the new\nserial we will begin short\nly. It’s a story by Robert\nW. Chambers, that mas\nter of romantic fiction,\n|" The Maids 1\n| Paradise j\nThe scenes are laid in\nand around Paradise, an\nidyllic French village,\nand in the midst of bat\ntles. An adventurous\nAmeri can who has joined\nthe French Imperial\nMilitary police, falls\nheadlong in love with a\nyoung French countess\nwho has innocently in\nvolved herself in plots\nin her desire to help\nher fellow men.\nYou’ll Find It a\n- Vivid and Ex\nciting Love Story\nIxonla.\n[Too Into for la*t week. |\nMr*. Hughes, Racine spent h few days\nlast week with her sister. Mrs. Richard\nPritchard, Sr.\nMiss Ruth Humphrey spent Thursday\nwith relatives at Waukesha.\nMrs, 0. H. Wills was a business visitor\nat Milwaukee one day last week.\nMiss Dorothy Jones, Milwaukee, is\nvisiting her grandmother, Mrs. Liza\nDavis.\nRichard Mulry, Pierce Cos., is visiting\nrelatives here.\nKathryn Moran. Detroit, Mich., is\nspending the holidays with her parents\nhere.\nGladys Davis. Monterey, is spending\nthe week with relatives here.\nMiss ErmaScheuerker returned Thurs\nday to Milwaukee after visiting several\ndays with Miss Ruth Humphrey.\nMiss Anna Moran, Milwaukee is spend\ning the holidays at her home here.\n#\nMiss Guvnor Humphrey spent Satur\nday at Oconomowoc.\nMrs. Robert Pritchard and son llaydon\nvisited one day last week at Waukesha.\nArthur Dahms, Oconomowoc, was seen\nin the burg recently.\nMrs. Jav Perry and son Seth were call\ners at the J. Ei Humphrey home Tues\nday.\nWm. J. Jones, Sparta, is visiting at (\nthe Lewis homo.\nMany from here attended the Christ\nmas tree at Piporsville.\nThe Misses Humphrey of Waukesha\nwere visitors here the past week.\nHoward Reynolds of Ashippon was a\nbusiness visitor here Tuesday.\nJohn Marlow is having great success\nselling the Ford automobile.\nWill Rhoda shipped a Holstein bull\nfrom the station Tuesday. The animal\nwas a beauty and is a son of the great\nCanary Paul, and was purchased by\nparties at Fall River,\nA good many of our young folks\nwatched the old year out.\nMiss Juliana Hartman, Oconomowoc,\nspent Christmas at the Neuman home.\nMr. and Mrs. Harry Druse, Racine,\nspent several days last week with Mr.\nand Mrs. D. H. McCall.\nEdward Evans and son Rowland of\nWales spent Christmas with his parents\nhere.\nWilliam Griffith, Bangor, is visiting\nat the Lewis home.\nMrs. D. A. Jones of Milwaukee spent\nthe holidays with Iter brother, H. E.\nPugh.\nMr. and Mrs. J. A. Ours are visiting\nrelatives at Stevens Point.\nMrs. Wm. Humphrey visited at Ocono\nmowoc Thursday.\nMrs. R. P. Lewis and daughter Inez\nspent the past week with relatives at(\nChicago.\nMax Boh I of Milvvaukees is visiting at\nthe C. Degnor home.\nDiive Evans, Wales, spent Thursday at\nthe home of his father, Hugh Evans.\nMrs. John Gibson and sons Davis and\nDonald of Watertown visited Sunday\nwith her mother, Mrs. Liza Davis.\nHugh Evans, Chicago, spent the holi\ndays with his parents here.\nMiss Edna Davis was a business visitor\nat Oconomowoc Monday.\nMrs. Arthur Seager and children of\nHartland are spending the week with\nher mother, Mrs. Liza Davis.\nGladys Davis returned to Monterey\nMonday after visiting the past week\nwith relatives here.\nJennie Jones and brother, Wm. Jones,\nof Sparta visited Monday with E. L.\nPngh and family at Piporsville.\nAlice Humphrey is on the sick list.\nMr. and Mrs. Wm. Lewis entertained\nabout twenty of their relatives at a\nturkey supper on Christmas.\nPipersvllie.\nThe Misses Laura and Harriet Hum\nphrey of Waukesha arc visiting friends\nin this vicinity.\nChristmas programs were given in\nboth the German and the Eng\'ish\nchurches and were well attended.\nClark Perry is spending the winter\nwith his uncle in Illinois.\nLillie and Viola Kohli of Watertown\nare spending a few days with their\ngrandparents Mr. and Mrs. Fred Hol\nla tz.\nMr. and Mrs. John Lounsbury return\ned to their home at Sherry Wis., after\nspending several weeks with H. D.\nLounsbury and family.\nLillian Goetch of Oconomowoc spout\nChristmas with her parents Mr. and Mrs.\nE. J. Goetch.\nGrace Peiry is spending the In>li \'avs\nwith friends in Chicago.\nMr. and Mrs. Robert Schroeder and\nfamily spent Christmas with their\ndaughter Mrs. Chaa. Vergenzand family.\nMiss Mary Lounsbury returned home\nSunday after a few days visit in Milwau\nkee.\nCase Dismissed\nThe case of the Kenyon Printing &\nManufacturing Company vs. the Jahnke\nCreamery Cos., on appeal was dismissed\non motion of the defendants, who had\nappealed the case.\nCLUB BANQUET\nGRIDIRON AFFAIR\nTwilight Club Annual Feast iWell\nAttended Monday\nNight\nThe third annual banquet of the Twi\nlight club was a very successful affair\nand was well attended. The table was\nprettily decorated and the eight course\ndinner was all that could be wished for.\nA four piece orchestra under the leader\nship of Frank Bramcr furnished most\nexcellent music.\nGordon K. Bacon was a most capable\ntoastmaster and the following toasts\nwere given.\nToastmaster, Gordon E .Bacon. News\nV. P. Kanb. A,True Story, C. A. Kadlug\nThe Ins and Outs of the Lumber Busi\nness, H. K. Boeger. Sparks From the\nVillage Blacksmith, G. 11. Lehrkind,\nInfluence of the Twilight Club on our\nCivic Life, W. 11. Woodard. The Joys\nand Sorrows of a Minstrel, Otto V.\nKnavik. What\'s the Matter with W ater\ntown?, Fred. B. Hollenbeck, What a\nDifference a Few Hours Make, S. F.\nKberle. i Was a Stranger and Ye Took\nMe In, F. A. Green. Trails and Tribu\nlations of a City Attorney, Gustav Buch\nhelt\nV. P. Kanb closed bis toast by read\ning advance copy in which ho “took a\nshot’’ at many local business and profes\nsional men as did several other speakers.\nOn motion president Parka appointed a\ncommittee to act with the advancement\nassociation and Watertown Business\nMen\'s ossociation in getting more fac\ntories here. The value of an organiza\ntion like the Twilight club was brought\nout by several speakers and all left at a\nlate hour with the feeling that the club\nhud a real mission to fulfill in this city.\n{THE DEATH ROLL I\nA sad doatli is that of Mr. Charles\nSohuonko which occurred Friday night\nat ids home, 1007 Western Avenue, after\nan illness of tuberculosis from which lie\nsuffered a considerable length of time.\nMr. Schuenke held the position of sec\ntion formau on the Milwaukee road until\nlast July when ho wrts Obliged to quite\nas his health would not permit him to\nwork longer. The deceased was born In\nGermany coming to America in 1888,\nmaking his home in Watertown, lie\nwas well liked and respected by ;i large\nnumber of friends and relatives and will\nbe missed by them. Surviving are the\nwidow, one daughter, Miss Lydia, and\ntwo sons,Edwin and Carl, and the parents\nMr. and Mrs- August Schuenke. The\nfollowing sisters and brothers also sur\nvive: Mrs. Qus. Brumaini, Miss Ida\nSchuenke, Janesville; Mrs. August Drne\nger, Farmington; Miss Anna Schuenke,\nMessrs. Albert, Robert, Henry and Arthur\nSchuenke, Johnson Creek. The funeral\nservices were held Wednesday afternoon\nat 2 o’clock at the Immanuel church.\nThe many friends of Mr. Harold Burke\nwill be sorry to learn of his death which\noccurred at the family h0m0,209 W arren\nstreet, Sunday at noon. The deceased\nwas the youngest son of Mr. and Mrs.\nPatrick T. Burke and was born October, 1,\n1883, on a farm west of the city. Mr.\nBurke resided in Minneapolis for the\npast fourteen years, coming home a short\ntime ago ill with pneumonia, which\ncaused his death. The funeral took\nplace on Tuesday morning with services\nin St. Bernard’s church at 9;fto o’clock.\nHo is survived by his parents, three\nsisters and four brothers: Mrs. J. D.\nCombs, Milwaukee; Mrs. W. J. McGraw.,\nKscanaba, Mich.; Mrs. Christopher\nCoogao, this city; Edward Burke, Milwa\nkee; Joseph Burke, Spokane, Wash.;\nGeorge Burke, Minneapolis; Henry, this\ncity.\nMrs. John T. Kleinsteubor of Route 4\ndied Monday afternoon after a few days’-\nillness, chronic heart trouble being the\ncause of death. Mrs. Kleinsteubor was\nbarn in Germany October 4, 1844. She\ncame hero in 1866. Her husband, five\nsons, one daughter, a brother and sister\nand eleven grandchildren survive. The\nsons are George and Herman Kleinsteub\nber, Waterloo, Theodore, town of Water\ntown, Henry, Farmington, Edwin, at\nhome. The daughter is Mrs. Frank\nPolenskl. town iff Watertown. The Fu\nneral took place Thursday.\nThe Dcs Moines, lowa, Capital of last\nweek stated that Mr. John F. Holland,\naged 55 years, died in that city after an\nillness of fifteen months. Mr, Holland\nwas born in Watertown. May 9, 1858. He\nwas a printer by trade. Me is survived\nby bis wife and three children.\nHint for Young Musicians.\nBegin your practice with enthus\niasm. Don’t put your practice off be\ncause you have “plenty of time.” You\ncannot know your piece too well, but\nremember that one hour of steady,\nconcentrated practice is better than\nfour hours of careless strumming at\nthe piece.\nCarrying It to Excess.\nQuizzo —“I understand that your\nfriend Bronson is a vegetarian."\nQuizzed —‘Yes. He has such pro\nnounced views on the subject that h\nmarried a grass widow.”\nTHE 1 tI )ER\npublished . So\'* \' \\ out on the\nSnbscrip\n*t *t THY IT.\nVOLUME LIV. NUMBER 21\nPREVENTION FOR\nWHITE PLAGUE\nMedical Authority Tolls How To\nPrevent and Advises Patients\nShowing Symptoms\n“Tuberculosis has many characteristics\niji common with those of noxious weeds."\nI pon this theory the Wisconsin Anti-\nTuberculosis association has formulated\nits programme, according to Dr. 11. K.\nDoarholt of Milwaukee, director of the\nhealth bureau of the University of Wis\nconsin Extension division, and secretary\nof the organization.\n‘‘The must certain means of prevent\ning the spread of a weed pest is to gather\ncarefully and burn the seed," continued\nDoctor Dowrholt. Likewise, the most\ncertain way of preventing the spread of\nconsumption is to burn the seed.\n“Germs of consuption are contained in\nthe expectorations of patients suffering\nfrom the disease. Therefore if all ex\npectorations were carefully gathered\nin special cups, napkins and papers\nand burned before any of the seed\nwore scattered, tuberculosis would\nbecome historical. Karly knowledge at\nthe stage when the disease is most easily\ncured requires skillful diagnosis and\npatients should consult a skillful physi\ncian on first suspicion of infection, in\ndividuals who have been subjected to\nprolonged contact should have periodic\nexaminations extending over a number\nof years.\n“Providing sanitarium cure for ad\nvanced consumptives in a great measure\ncuts off the sources of infection. But a\nsufllcient number of sanatorium beds\nCan not be secured In a month or a year.\nAnd some patients may never consent to\ngo to a sanatorium. lienee we must pro\nvide as good protection as is possible\nfrom consumptives in the home. We can\naccomplish this by the visiting nurse\nand a wider knowledge of the funda\nmental facts in connection with the\nnature, cure, and prevention of the\ndisease."\nHog Cholera Don’ts\nThe following precautions are recom\nmended for keeping hog cholera from\nan uninfected drove by H T. Galloway,\nAsst. Sec. of Agriculture.\n1. Do not locate hog lots near a pul lie\nhighway, a railroad or n stream. The\ngerm of hog cholera may bo carried along\nany one of these avenues.\n2. Do not allow strangers or neighbors\nto enter your hog lots, and do not go in\nto your neighbors’ lots. If Is is absolute\nly necessary to pass from one hog lot in\nto another, lirst clean your shoes care\nfully and then wash them with a 21 per\ncent solution of the compound solution\nof crosol (U. S. P.)\n3. Do not put now slock, either hogs\nor cuttle, in lots with a herd already on\nthe farm. Newly purchased hogs should\nbe put in separate enclosures well sepa\nrated from the herd on the farm and\nkept under observation for three weeks,\nbecause practically all stock cars, un\nloading chutes, and pens are infected\nwith hog cholera, and hogs shipped by\nrail are therefore apt to contract hog\ncholera.\n4. Hogs sent to fairs should be quar\nantined for at least three weeks after\nthey return to the farm.\n5. If hog cholera breaks out on a\nfarm, separate the sick from the appar\nently healthy animals, and burn all car\ncasses of death. Do not leave* them mi\nburned, or this will endanger all other\nfarmers in the neighborhood.\n<5. If after the observance of all possi\nble precautions hog cholera appears on\nyour farm, notify the State veterinarian,\nor State Agricultural college, and secure\nserum for the treatment of those not\naffected. The early application of tills\nserum Is essential.\nSome of these precautions may seem\nunnecessary and troublesome, but they\ndo not cost much, and they are very\nvaluable preventive measures.\nThe Tax Kate\nThe tax rate in this city for the cur\nrent year is $16,00 per $1,0)0 in the Jef\nferson county wards and $18.13 in the\nDodge county wards* If the assesnirnt\nIs 90 per cent of the actual value, the\nrate is excessive: if the asnessed valua\ntion is moderate then the rate Is reason\nable —on the whole however Watertown\nhas no cause for complaint, below we\ngive the tax rate per 11,000 in some of\nthe other cities of the state:\nAn tigo $29.00, Bar a boo $23, 01, Beaver\nDarn s23.2o, Hoscobel S2B 00, Beloit $17.4b,\nBurlington $24,07, Edgerton 118.94, Kan\nClaire $23.50, Jefferson SIB.BO, Madison\n$16.50, Monroe $17.00, Oshkosh sl7 50,\nPltttteville 117.23, Portage $20.00, Janes\nville $15.00, Milwaukee 118.00, La Crosse\n$25,00, Richland Center $29.40, Toinah\n$20.12, Btonghton $18.70, Whitewater\n$25.90, W aterloo $17.94, Waukesha $19.50,\nLake Geneva $23.81,\nAn Ideal Woman’s Laxative\nWho wants to take salts, or castor oil,\nwhen there is nothing better than Dr.\nKing’s New Life Pills for all bowel\ntroubles. They act gently and naturally\non the stomach and liver, stimulate and\nregulate your bowels and tone up the\nentire system. Price, 25c. At all Drug\ngists. H. E. BUCKLKN & CO. PHILA\nDELPHIA or ST. LOUIS.', 'batch': 'whi_elizabeth_ver01', 'title_normal': 'watertown weekly leader.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85040721/1914-01-02/ed-1/seq-1.json', 'place': ['Wisconsin--Dodge--Watertown', 'Wisconsin--Jefferson--Watertown'], 'page': ''}, {'sequence': 1, 'county': ['La Crosse'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn86086186/1914-01-02/ed-1/seq-1/', 'subject': ['La Crosse (Wis.)--Newspapers.', 'Wisconsin--La Crosse.--fast--(OCoLC)fst01207161'], 'city': ['La Crosse'], 'date': '19140102', 'title': 'Nord stern. [volume]', 'end_year': 1921, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Available on microfilm from The State Historical Society of Wisconsin.', 'Description based on: Jahrg. 1, no. 2 (6 Dec. 1856).', 'In German with some columns in English.', 'Supplements accompany some issues.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'La Crosse, Wis.', 'start_year': 1856, 'edition_label': '', 'ocr_ger': 'Der „Nordster ist\ndie einzige repräsentative\ndeutsche Zeitung von ia\nLrosse\n57. lalirqang.\nSchluckt AnklM.\nONoycr beschuldigt eine <Bruben\ndircktor an seiner Entführung\nbetheiligt gewesen zu sein.\nCalumet, Mich, 30. Tec.\nDie Entführung des Präsidenten der\nWestern Federation oi Miners. Charles\nH. Mcyer, aus Calumet. Mich., war\nauch am Montag noch nichl im gering\nsten aufgeklärt. Die Anwälte der Union\nhatten alle Hände voll aus dem Coro\nnerslnquest in Sachen des Unglücks in\nItalien Hall zu lhun. bei welchem 72\nPersonen umgekommen und. und die\nCountybeamien, welche die Angelegen\nheit ebenfalls untersuchen, gaben nichts\nbekannt. Das Hauptinleresse konze\ntrirlc sich in Calumet um die Behaup\ntung, daß I. MacNaughton, Generat\nbetriebsleiler der Calumet L Hecta\nMining Co., mit der Entführung Mou\ners zu thun habe.\nTer Coronerslnquest.\nIn dem vom Coroner über das Un\nglück in Italien Hall eingeleiteten In\nquest sagten am Montag zweiundzwan\nzig Zeugen aus. daß der Mann, welcher\nden verhänqnißvollen Alarm abgab,\neinen weißen Knops, das Abzeichen dcr\nCilizens\' Alliance, getragen habe. Dies\nwurde von vielen anderen Zeugen be\nstritten. Alle Zeugen stimmten darin\nüberein, daß der Ruf „ \'euer!" zuerst\nvon einem Mann abgegeben und dann\nan verschiedenen Stellen in der Halle\nwiederholt wurde, worauf alles sofort\nnach den Ausgängen strömte.\nLeichenfeier-Film gestohlen.\nEin Film, welcher gestern von dem\nLeichenbegängniß in Calumet gemacht\nwurde, wurde dem Photographen aus\nseinem Hotelzimmer gestohlen. Der\ndi- Films enthaltende Rasten wurde\n"später auf der Straße mit verstreutem\nInhalt gesunden. Dir Streiter schie\nben auch diese Schandthat der Cttizens\'\nAlliance in die Schuhe, die dabei angeb\nlich den Zweck verfolgten, Propaganda\nzugunsten der Strecker zu unterdrücken.\nDie Polizei hat noch keine Spur von\ndem Thäter.\nBahnstreik beigelegt.\nSt. Louis, Mo., 31. Dec.\nDer Streik der Telegraphisten der\nSt. Louis L San Franeisca-Bahn\nwurde Dienstag Nachmittag durch einen\nzwischen den Massenverwaltern der\nBahn und dem Beschwerdecomfte des\nVerbands der Bahntelegraphisten ab\ngeschlossenen Eompromiß abgewendet.\nFall ?)oimg vor Gericht.\nChicago, Jll., 31. Tec.\nTie Frage der Gesetzlichkeit der Aus\nstoßung von vier Mitgliedern aus dcr\nErziehungsbehörde von Chicago, Jll.,\ndamit Ella Flagg Uonng als Schul\nsuperintendentin wiedereingesetzt werden\nkönne, wird in den Gerichten entschiede\nwerden. Staatsanwalt Maclay Hohne\nerklärte m Dienstag, er werde ei>:-\nPetition unterzeichnen, in der um die\nErlaubniß ersucht wird, ein Ouo War\nranlo-Verfahren einleiten zu dürfen.\nUebrrraschendc geographische Ent\ndeckn ngcn.\nBerichte aus Südnigerien zeigen,\ndaß selbst unmittelbar an der Küste\nnoch überraschende topographischeEnt-\nLeckungen möglich sind. Leutnant\nHughes, der Führer der Regierungs\nlacht „Jry", fand in dem Netz von\nWasserstraßen, das sich von den Ni\ngermündungen zum Ealabar erstreckt,\neinen bisher völlig unbekannten\n„Creek" fKüstcnfluß mit Brackwas\nser). der sich als an- eigentliche Mün-\nInng des Bonnvflusies erwies. Zu\ngleich wurde an dev Prallseile einer\nWindung aus dreiv-ertel Meile etwa\n46 Fuß, Hobes Steilufer mit festem\nBoden und davor Wasiertiefen von\n76 Fuß festgestellt. Die neugefunde\nve Stelle wurde „Port Haricourt"\ngetauft; sie ist wahrscheinlich von gro\nßer wirtschaftlicher Bedeutung, da sie\ndie östliche Nigeriabahn ermöglicht,\ndie die Kohl-nselder von Udi und\n1,,e reichen Zinnlager des Bantschi-\nPlateaus erschließen soll.\nAehnlich überraschend ist die Auf\nfindung einer bis ;eht unbekannten\n\'D-rvreifion bei den topographischen\nAufnahmen, die Srr William Wil-\nIrerks in dem tonst rech: gut durch\n*orschien Mefopotamien zwecks .Klä\nrung von Bewäncriingssragen leitete\nRack, der Karte liegt oie Senke et\nwa 110 Kilometer wcstnorbwestUch von\nVaadad: ft" Ilmriß tonnte nur im\nOsten genauer ausgenommen werden,\nda feindliche Arabec\'iämme eine wei\nlere Karlieruna verhinderten. Hier\nim Osten geb: die „Hohtform" etwa\n6 Meie: unter den Meeresspiegel\nenthält jedoch an ihrem Boden einen\nSalzsee, dessen Tieft vorläufig unbe\nkannt ist. Eine so interessant- aeo\naraobitche Entdeckung unweit der\n-inst berühmtesten Stadt des Orients\ndes durch Harun a! Raschid und die\nErzählungen der „Tausendeinenack.t"\nbekannten Kaliftnsstzes Bagdad, über\nrascht in der Tat, kenn die Wunde\'\nund alles Neue in: Zweistromlan\nVorderassens \'u-cht man unter der\nErde und den Sandbüartn, nicht oben\nrn der einförmigen Landschaft.\nt Herageqedt von § 1\n< Rordsterv Lstociatioa. Lr Lrofse.\nRikscncrnkk.\nDer Nstertk wird vom Ackcrbaudc\npartemcnt auf lO ONilliar\nden grschätzt.\nWashington, D. C.. 30. Der.\nEine Ernte im Werth von 10 Milli\narden Dollars, die den Farmern 5 Mil\nliarden einbringen wird, ist das Resul\ntat der Arbeit von sechs Millionen Far\nmern in den Ver. Staaten im Jahre\n1913. trotz der Dürre und anderer hin\ndernden Umstände. Nach dem am\nMontag vom Ackerbaudcpartement in\nWashington veröffentlichten Bericht mar\ndas Jahr das erfolgreichste in der Ge\nschichte des Landes. Genau betragt der\nWerth der Ernte 6,100.000,000, wo\nvon K 3,650,000,000 aus Vieh entfallen.\nDer Werth ist doppelt so groß wie der\njenige der Ernte vom Jahre 1800; um\nmehr als eine Milliarde größer als im\nJahre 1009 und bedeutend größer als\nin 1912. Von der Gesanimlernle wird\nschätzungsweise 52 und von dem Vieh\n20 Prozent aus den Farmen selbst ver\nbleiben, sodaß das Bareinkommen der\nFarmer 55.847,000,000 beträgt.\nTrotzdem das Jahr 1913 ein Regen,\njähr war. und trotzdem die Zahl der\'\nFarmen sich seit 1910 um 11 Prozent\naus etwa 6,600,000 erbotn hat, ist nach\nAnsicht des AckerbaudevarlemenlS nicht\nzu erwarten, daß der Preis der Lebens\nmittel heruntergeht. Diese, aus den\nersten Bück merkwürdig erscheinende\nThatsache wird daraus zurückgeführt,\ndaß einmal der Verdienst des Zwischen\nhandels größer geworden ist, und daß\nzweitens die Produktionskosten des Far\nmers sich erhöht haben.\nDas stärkere Geschlecht versagte\nPortland, Ore.. 31. Tec.\nGouverneur West bat seiner Privat\nsekretärin, Art. Fern Hobbs, ausge\ntragen, unverzüglich nach Copperfield,\neiner in Baker County gelegenen Mi\nnkn-Nirderlaffung. zu reisen und\nsämmtliche Wirthschaften und Spirlhöl\nlen zu schließen, die dort ungesetzlich\nbetrieben werden. Der Gouverneur\nerklärte am Dienstag in Portland.\nOre., er habe bereits dem Sheriff und\ndem Distriktsanwalt ausgetragen, die\nWirthschaften zu schließen, doch hätten\ndiese keinen Finger gerührt.\nFrl. Hobbs wird von einem Spcz\'al\nbramten der SlaatSregierung begleitet\nsein.\nKönigin-Wittwe gestorben.\nStockholm, Schweden, 31. Tec.\nDie verwillwete Königin Sophie von\nSchweden, Mutter des regierenden Kö\nnigs Gustav, starb am Dienstag ,n\nStockholm im 78. Lebensjahr; eine vor\neinigen Tagen eingetretene Lungenent\nzündung führte den Tod der Königin\nherbei.\nNeue Mont karte.\nDer Göttinger Astronom F. Hayn\nhat so-eben eine umfangreiche Arbei:\nzum Abschluß gebracht, und deren\nErgebnis soll demnächst in Gestalt\neiner Mondtarte veröffentlicht wer\nden. Es handelt sich hierbei um eine\nmöglichst g-nmue Karte der Randge\nbirge des Mondes, die zur genauen\nBahnbestimmung des Mondes von\neinschneidender Bedeutung ist und\nneues Marerial zur Theorie der\nMondbewcaung beibringt. Sonne\nund Planeten erscheinen nämlich, we\ngen ihrer größeren Entfernung, als\nKreise oder Ellipsen, und so ist ihre\ngenaue Ortsbestimmung nicht beson\nders schwierig; der Mond dagegen\nerscheint nicht kreis- oder ellipsen\nförmig begrenzt, und daher ließ sich\nbisher sein Mittelpunkt oder Schwer\nPunkt nickt genau genug bestimmen.\nMan sucht: bisher diesem Uebelstande\ndurch E\'i\'füvrung eines „Fixpunttes"\nabzuhelfen, dessen selenographEche\nKoordinaten bestimmt wurden. Hayn\nbat nun den aussichtsreicheren Weg\neingeschlagen, den Mondmittelvunft\nbesser zu definieren und dazu eine\nmöglichst genaue Karte des Mond\nrandes anzustellen und alle Beobach\ntungen aus möglichst viele Punkte des\nUmfanges -u bestehen.\nEs stur cm Ganzen 200 Mond\nbitder hnaestellt und 10,000 Punkte\nmit ihren\' skleno-graphischen Koordi\nnaten festgelegt. Die Mondtarte\nHavns ist an\' plwtceraphi\'chem We\nge hergestellt und turch Messungen\nvon Sier, bedeckn:,:en verbessert Aut\nden dazu ureigen Platten um For\nmate 2-st Zoll! wurden immer je\nzwei Monvb\'ldcr aufgenommen: fer\nner sind nie Vlatten durch aufkopierte\nSterntilde: in bekanntem Positivus\nwinket oick.-ster: worden. Endlich\nwurde nahe dem Vüdzentrum in\nsehr seine M\'rke angebracht, von de\'\naus eine groß? Zahl von Mondradien\ngemessen wurde. Aus solch Weise\nerhielt >rmn aurck Ausgleichung der\nRadien den Ert des wahren Mond\nZentrums iowie die Abweichungen des\nMondes van der Lreisform. Diele\nneue Mordkaree bedeutet einen we\nsenitichen Dcrt\'chr\'st für die Assro\nmeine un> lste Meckanik des H\':m\nweis und b-e\'> n\'.b\'n Aufgaben, eie ruft\n-dem Mond? zu tun beben. Sie er\nmcglieht er-, de Ortsbestimmungen\nunseres ft- n-\'chng:" Trabanten rack\n\'Richtung und Entfernung erbeblick\ngenauer und von Feh\nltiu wesentlich freier auszusührra.\nMM^Micsk.\nDeutschland verweigert den Der.\nStaaten die Behandlung als eine\n..meistbegünstiaste" Nation.\nBerlin. 30. Dec.\nDie deutsche Reichsregierung lehnte\nam Montag das Ersuchen der Ver.\nSiacuen ad, die für aiiierlkcinischen\nStahl. Gummi. Schuhe und eimge an\ndeie \'Artikel die Behandlung als „meist\nbegünstigste" Nation beanspruchen; in\ndem jetzt bekannt gegebenen Bescheid\nMiro indeß angedeutet, daß Deutschland\ndeirik sei. über die Angelegenheit wei\nter zu verhandeln, wenn die Ver.\nStaaten zu entsprechenden Gegenleistun\ngen willens seien. Deutschland ist nur\nverschiedenen Bestimmungen unzufne\nden, namentlich mit der Forderung, daß\nJmporleure unter Umständen gezwun\ngen werden sollen, ihre Geschäftsbücher\nvorzulegen. Die deutschen Geschäfts\nkreise sind der Ansicht, daß ohne Coin\nprvmiß irgend welcher Art die Han\ndelsbeziehungen zwischen Deutschland\nund den Ver. Staaten äußerst schwierig\nsein würden.\nP\'erkivürdigeS Nnturbild.\nTchmaroncr, die idrericits von Tchma\nrolccrn licimgesucht werden.\nDas alte Sprichwort: „Wie du\nmir, so ich dir", das den Stand\npunkt einer gesunden Realpolitik, ei\nner sich seiner Haut wehrenden frisch\nfröhUchen Selbstsucht vertritt, hat\nnicht nur Geltung im Leben des\nVolkes und im Wandel der Mensch\nheit. sondern überhaupt tm Bereiche\nalles Lebenden. Und so ist es denn\nauch wohl als ein Akt ausgleichen\nder Gerechtigkeit aufzufassen, daß die\nLebewesen, die, statt sich wie die an\ndern auf ehrliche Weise durchs Le\nben zu schlagen, die bequemeren Da\nseinsbedingungen des Schmarotzer\ntums auszunutzen gelernt haben und\nvon den mühsam erworbenen Körper\nsästen anderer Wesen sich mäste,\nauch ihrerseits wieder, wenn auch\nwiderwillig, als Wirte aufzutreten\ngezwungen werden.\nDie Naturgeschichte kennt eine\nganze Reihe solcher Schmarotzer in\nSchmarotzern: zu ihnen gehört nach\nden Forschungen des Franzosen rw\nweran auch der Floh, der lustige\nSpringer, dem bekanntlich die größ\nte Kälte nichts anhaben kann. Der\nFamilie der Flöhe ist überhaupt in\nden letzten Jahren von der Forschung\nein außerordentliches Interesse ent\ngegengebracht worden, da man ver\nschiedene ihrer Angelürigen in dem\nbegründeten Verdacht hatte, daß sie\nbei der Uelertragung vcn allerlei an\nsteckenden Krankheiten ein? nicht ein\nwandfreie Nolle spielten. Auch der\nParasit, den Laweran im Hundefloh\nauffand, kann auf andere Tiere über\ntragen werden. Er stellt ein mi\nkroskopisch kleines Schräubchen vor,\ndas sich vom Darminhalt nährt, sich\nin ihni bewegt und entwickelt. Bringt\nman mit Hilfe einer Manipulation,\nzu der allerdings e\'was geschickte\nFinger gehören, den Darminhatt de-\nFlohs in eine schwache Kochsalzlö\nsung und spritzt diese weißen Mäu\nsen ein. so findet man die Spirillen\nbald in den Blutkörperchen der\nMäuse, wo sie wahrscheinlich ihre\nweitere Entwicklung durchmachen.\nDie Erscheinung, daß Schmarotzer\nwieder vcn anderen Schmarotzern\nheimgesucht werden, findet sich auch\nsonst. So werden gewisse Schlupf\nwespenlarven, die in Schmclterlings\nraupen leben, wieder von kleineren\nSchlupfwespen angestochen, obgleich\nsie dort allem Anschein nach vor\ntrefflich geschützt sind. Ja. es komm!\nder besondere Fall vor, daß das\nMännchen einer parasitisch lebenden\nTierart als Schmarotzer seines eben\nfalls an die parasitische Lebensweise\nangepaßten Weibchens auftritt. Die\nser immerhin seltene Fall von T-p\n-pelparasitismus findet sich bei ge\nwissen Rankenfußk\'-etssen. zu denen\nauch die Entenmuscheln gehören: das\nMänncken sucht schon als vollstän\ndig ausgerüstete Larve das Weibchen\nauf, verliert hier seine Beweglichkeit\nund seine Gliedmaßen vollkommen\nund lebt als Zwergmännchen weich\neingebettet in der Schal? des Weib\nchens und nährt sich, indem es die\nSäfte des Weibchens einfach mit\nder Körperbau! aussäugt: denn ihm\nfehlt später auch der Mund und\nder Darm vollständig.\nEin noch krasserer Fall von Pa\nrasitismus. bei dem allerdings da?\nWeibchen frei lebt, findet sich bei den\nzu den Sternwürmcrn gehörigen Bo>\nnellia des Mitlelmeeres; hier leben\ndie Männcken sogar im Fruchthalter\ndes Weibchens, zwischen den von\ndiesen beroorgebrachtrn Eiern, die\nvon ibnen befruchtet werden. Sic be\nstehen eigentlich nu: aus einem Hau\nsen von männlichen Fortoftanzungs\nprodutten, bewegen sich so zwischen\nden E-ern kriechend umher, daß man\nsie eine Zeitlang tür innqe Stern\nWürmer gehaltn hat, unv sind sc\nklein, daß erst mehr als Iss§ Mil\nlionen von ibnen zusammen so\nschwer find, wie ein einziges Weib\nchen. Man siebt, die N-:ur schlägt\nzum Zwecke der Erkaltung der Art\noft die wunderlichsten Weg: ein!\n2a Crosse, Wis., Freitag, deu I. Januar 1914.\nKind tibgercill.\nWan Wilson zum Worte.:-, über\nKloriko nach j?aß cLhrnüaii\nbefohlen.\nVera Cruz. Mex . :>: Pez.\nPräsident Wtlions persöni c: Ver\ntreter in Mexiko. John Lins , sich\nDienstag Abend in Vera Cru: Mex.,\nan Bord de- amerikanischen stckuterS\nChester, der ihn nach Paß E\'nistian,\nMiss , dringen wird, wo Herr ss\':d de,\nPräsidenten Bericht über seine Mission\nerstatten wird. Die Fahrt bis cur Küste\nvon Louisiana dürste kaum wehr als 2\'.\nStunden in Anspruch nehmen\nWie aus Paß Christian gemeldet\nwird, hat Präs. Wilson selb Herrn\nLind oufgesorderr, ihn in seinem Win\nlerausenihallSvrl auszusuchen\nKamps noch nicht abgebro\nchen.\nPresidio, Tex, 3.. Dee.\nTie Schlacht zwischen Swm inner\nGeneral Toribio Onrga steb nsen Re\nbellen und der nördlichen Division der\nmexikanischen Regierung-armn die um\nOjinaga, Mex , gegenüber vv Picsidio,\nTcx.. stark verschanzt ist. war noch nn\nvcUen Gange, als die Sonne am Diens\ntag untergegangen war. Ter Kamps\nHane ui diese Zeit deeeitS.\'K Stunden\ngedauert. Anscheinend sind cun beiden\nSeiten viele Todte und Verwundete.\nUeber die Grenze wurde ichl geschossen.\nHilfe für Obdachlose.\nChicago. Jll., 31 Der.\nUm für die immer mehr zunehmenden\nArbeitslosen in Chicago, die in Logier\nhäujern und aus den Polizeiwachen\nkeine Unterkunft mehr finden können,\nHitse zu schassen, beauftrag! A. A.\nMcLormick. der Vorsitzende der Counih-\nBehörde. am Dienstag Sherni Zimmer,\nden Obdachlosen da erste Siocku-e>k\nde Couniy-EebäudcS Dr die Nucht\neinzuräumen.\nDer Welfeuschatz.\nEine seltene Sammlung vo Kunst\nschälien und Altertümern.\nDer Welststschatz. her dem\nJahre 1900 im Asslosse bes Herzogs\nvcn Cnmberland in Gmiindrn de\nfand, soll jetzt auch nach Braun\nschweig, in die Rcsitcnz des neuen\nHerzogs, res einzigen Sohnes des\nHerzogs von Euinoermnö, überführt\nwerben. Der Herzog von Eumber\nland, der einzige Sein des letzten\nWelrenkonigs, zählt öckanntlich zu\nden reichsten deutschen Fürsten. Au\nßer seinem PrivLiv.\'cnwgen, das aus\nweit meac als bun. rl Millionen\nMark geschätzt wirs, ist der Herzog\nauch der Eigentümer :cs berühmien\nbv-elsenschatzes, eine Sec sellenueii\nSammlungen von KnnsUvtrien. so\nwie Atteriüinern von unschätzoareoa\nWerie. Nach den Ereignissen von\n\'866 kam der Wesskr. Satz, Ser von\nPreußen als Privalc:zciuuni des ege\nmaligen Hannsversche Königshauies\nancr-:nint worden war, nach Wien,\nuw belanntlich König Georg V. sei\nncn Wohnsitz genommen hat.e. Tec\nKönig üoeraniworreie e Sammlung\ndein Wiener Museum stir Kunst uno\nIndustrie, wo sie auch sfentlich aus\ngestellt war. Erst 1 >6 überführte\nman, aus Wunsch de- Herzogs von\nEumberland, den Westenschatz nach\nGmunden, und nun. n h sieben Jah\nren, soll er non dor:. voraussichtlich\nzu dauerndem Veröle nach Braun\nschweig tommen. Wo send der Zeit,\nwo der Welfcnschatz m Wien erpo\nnicrt war, hatten a: die Besucher\n--er Wiener Weltausstellung von 1873\nGelegenheit, die gross rtige Summ\nkung zu bewundern, mnn sie war in\nder\' Rotunde untergc cht worden.\nDie Ans-: \'e G Welfenschatzes\ngel)en bis au, die ,ss Heinrichs des\nLöwen, des Ahnher- des We\'Aenge\nschlechtes, zurück, der ährend seiner\nim Jahre 1172 un:e mmenen Pil\ngerfahrt ins heilig\' md sich zum\nBesuche d\'s Sultao- Konstaniino.\nHel aufbiAt, beim hieb von die\nsem eine Anzahl Pr tstücke byzan\ntinischer Konst zuin schenke erhielt\nDiese bildeten den rundstock der\nSammlungen. T-: -erzog vergrö\nßerte diese mit feine Kunstverständ\nnis und erhielt auck eschenke, beste\nhend aus tostbü\' Kirchengerat.\n\'cidenen Messzc-r-ö a usw. von\nEinen Un\'ertancn. \'s der Sck.!\':\n1097 in den fick oarischen \'\nsitz des Herzogs August über\nging, wurde er ft r Schloßkirche\nvan Hannover n: llr, die Aui\nsicht dem Abt b ssters Lo.um.\nMolanr-S. Lbertrc Während der\nFranzoien\'r\'.k\'e Ae der\nocr, wie man st- e ziemlich be\nwegte Gttchichtk \'sack England.\nioo man ihn vor Franzostn in.\nSicherheit bi. t.chdem die Ge\nfahr vorüber w hrte man ihn\nzurück naa. H\'.nr m das König\nltche Archiv. \' 869 verrraut.\'\nihn König : dem Welfen\ni iuseum an uns e ihn für das\nPublikum än Die kunff -\nund kulturh!\'!:- hervorragende\nSammlung -s 82 Gegen\nständen, darur m.den ftch meb\nrere kosic, re R nschrcine uns\nTragaltäre. 11 .\' e, 17 wertvolle\nMonstranzen so. ne Anzahl be\nsonders tniercn.: -rm- und Kops\nreliquien.\nJuni ciitllisjcil.\nIsm Dlordfall Schmidt stand das\nlssotum t>:2 für Schuld\nsprueff.\nNew Pcnk, :!I. Tec. -\nNack secksunddreißigstündlger Bc\nraihung veiichreie dce Geichmorenen.\nwelche über den ehemaligen Priester\nHans Schinidl von der Ll. Joscpds--\nKircde in New Park zu Geruch, saß.\nder angeklagt ist, seine Geliedie Anna\nAtiNiüUer eriiiordel zu habe, daß eine\nEinigung un\'iiözlüch sei. und wurden\ndaraus von Ruchier Foster cultasse.\nEs stellte sich heraus, daß da letzic\nVolum genau so war wie das erste. 1c\nfür schuldig und 2 für ist r schuldig:\ndie beiden letzteren stellten sich aui den\nStandpunkt, daß Schmidt irrsinnig\nwar. als er den Mord beging.\nDas Verbrechen, dessen Han\nSchmidt angeklagt ist. war eins der\nentsetzlichsten in der Berbrcchenschronik\nder Stadl \'New Park Ansang Sep\ntember wurde Theile einer Frauen\nleiche >m Hudson gesunden. Wenige\nTage spawr wurde Schmidt verhaftet\nund gestand. Anna Aumuller. mn der\ner zusammen gelebt haue, ermordet zn\nhaben, wie er sagte, aus „göttliches\nGeheiß". Der Prozeß begann am 8.\nDezember. Schnndl\'s Vaier uns\nSchwester käme aus Deuijchiand her\nüber. um das Arguiiieni der Beriheidi\ngung. daß Lchiiildl a erblichem Wahn\nsinn leide, zu bekräftigen.\nHiltNlis Loldatcn über die\nGrenze.\nPresidio. Tep., 30. Dee.\nHundert mexikanische Reglerungsjol\ndaien wurden Monmg Nackt aus der\namkrikc>istsck)en Seite, sechs Meilen un\nterhalb am Fluß gesunden. Major\nMcNainee ließ die Lerne sofort entwaff\nnen. brachte sie ach Presidio und zwang\nsie mit Gewalt, imeder über die Grenze\nnach Mexiko zu gehen. Mehrere von\nihnen waren verletzt. s\nMehrcreHundert weitere Regierutig\nsoldaten überschritten an rrnrr anderen\nStelle die Grenze, gingen jrdpch beim\nNahen amerlkanischrr Truppen wieder\nzurück.\nDie Regierung-truppen scheinest be\nreit im ersten Gefecht von den\nlen vollständig ausgerieben worden zu\nin.\nlikän.Pi,.\nTa Geheimnis des jepanischc Lchwe\nsc Wad cs.\nIm s/M\' ng.m w-llcn w>r den\nLcscr c.nwoi.eu in aas sonderbare\nGeh in nis des Ji:>ii: - Pu, d. h.\nder Art u! d W. , wie die Japaner\nihr SchwwjcWa. i chmen. In den\nThermalbädern < > Kasatsu kaun\n.man die badend: ...ppons um Wer\n!e scheu. Tec A des Bades\nwird mit der Tromlete v.rkiindigt.\nSofort stellen sich die Teilnehme\'\nmilitärisch in einer Ncile aus längs\ndem Uicr des heißen Teiches und\nmachen pch ans „Sü mgen des Was\n,\'crs". Sie bewussneu sich mit lan\ngen Brettern, i >?.. e.i deren einer\n>snde ins Wasser, hakten das andere\nmit Heiden Händen und drehen sie\ndann um ihre Längsachse hin und\nher. Sie gelangen damit schließlich\nzu einer solchen -Schnelligkeit, daß\nsie in der Minute neunzig solcher\nBewegungen machen. Die Badenden\nverwenden darauf viel Krast und\nentwickeln dabei viel Begeisterung\nund laute Fröhlichkeit. Schreie und\nSprünge begleiten das Geräusch der\nim Wasser gequirlten Bretter. DaS\nGanze erinnert etwas an die Tänze\nwilder Neger.\nAber wozu dies „Schlagen des\nWassers?" Um seine Temperatur aut\neinen gewissen Grad herabzumindern!\nIst das erreicht, werden die Patien\n:cn aufgefordert, mit einem kleinen\nTcnnengesäß Wasser auf den Schade,\nzu gießen. Diese Waschungen sino\nbestimmt, Kongestionen ,u verhindern\nand dauern ziemlich lange. Der\nGuß wird bis zu 1-/> , ja 2ssomcil\nwiederholt. Tann erst wird der\nBadende für würdig erachtet, sich ins\nWasser zu begeben. Aus Kommando\n-\'eben sie langsam hinein. Der Ba\ndemeister biii\'Mt eine Art von Kla\n-wgestmg an, der durch Intervalle von\nje einer Minute in. vice Verse gctei!\'\nist. Das Bad dauert drei Gesänge\nzu vier Miauten. Jeder Ver wird\nmir einem Tranrrgeschrei begleitet,\nd - gleichklingend Gr Brust aller\nBader en enrstcig\'. Diese Traurig\nkeil ist in:-. nur g.leuche!!, denn alle\namüsseren \' \' riesig über das Bad\nun.- \'ei - r BegkE\'-\'chemuügen Und\nGrüns nenn arm \'Vergnügen ist jr\nwohl auck vorhanden: denn man hör-.\nund \'staune! den Ten der Ver\nse! Hier ist er:\nDon jetzt gerechner. sind es drei Mi-\nJetzt sind es n.:r n. -a zwe- Minuten,\nch. un bleibt nur ?: g -uw Minute.\nSeid geduldig: r r \' " : u wirtlick\n\' m jst\'s vorbei \' - aus dem\n-sie vollständige Kur erfordert die\n\' : keit von !!\'-> .!-: ern. aie.\n\' r an, „ganz e\'!r.Z:a 7 phossolo\niic \' Folgen labrn." Uns das darf\nman. wohl getrost glaube: !\nTic Mrc Ztilimi/\n.Zentrum und Naltonallibcralc pro\nphezeie eine ernste Arrse als\nFolge derselbe.\nBerlin, 3t. Tee.\nDaß der Zaberner lüonftiki noch lange\nnickn erledigt ist. geht aus de Berich\nte der deunchen Presse über Kundge\nbungen de Zentrums und der Nalw\nn,illiberalen hervor, in de n nicht nur\nder Ruckliiu de Reichskanzlei Dr.\nvon Beidmann-Hollweg verlangt, son\nder auch eine vollständige Umwälzung\nde deutschen Patlamenlansuius vor\nausgesagt wird\nAus dem Zentrum-Parteitag in Ulm\nerllarien die mürtle , verglichen Avge-!\nordnen Gi öder und Erzberger. die\nZaberner Affäre werde wahricheiiilick,\neinen schweren polnischen Kamps zur\nFolge haben, in dein ein Kompromiß\nkaum möglich sein werde. Ei Mann\nheimer Blatt, da- Organ des Naiional\nliberalen Bassernianii ineiiii. Denljch\nland siehe vor einer schwere Krise: der\nReichskanzler steh ganz isviiri. und sei\nSturz wurde von den Naiionalliberalen\nlucht bedauert werden. Auch die Blät\nter der Rechten belämpsen seil einiger\nZcil den Kanzler kaum minder hejiig\nals die der Linke.\nBriesninrkcnrummel.\nEiiisüiffc des Krüge auf das Prislwe\nsen der Lil>astaln.\nDie verschiedenen Phasen des Bal\nkankrieges haben auch im Postwesen\nbor kriegführenden Staate ihren\nAusdruck gesunden. So gaben zu\nAnfang des Krieges verschiedene der\nägäischen Inseln besondere Briefmar\nker, heraus, z. B. Jkanen, Mytilenr,\nSamos und Lemnos. Griechenland\nversah die in den eroberten Gebieten\nverwendeten Marken mit einem be\nsonderen Ueberdruck, und neuerdings\nhat auch der werdende Staat Alba\nnien sich schon mit der Herausgabe\nvon eigenen Briefmarken befaßt. Zu\nerst verwendete man dort türkisch\nMarken, die mit einem höchst primi\ntiven albanischen Adler überdruckt\n\'Wurden. In der letzten Zeit aber hat\nman\'einen regelw-chten Stempel ange\nfertigt, welcher die Inschrift trägt\n„Postat c Qeverrics se Perlohefhme":\ndiese Marke wurde in den Werten zu\n2E Para und l Piaster herausgege\nben, d. h. die Postbeamten stellen sie\nselbst her. indem sie diesen Stempel\nauf ein Stück Papier drucken und auf\nden ihnen übergebenen Brief Neben.\nGriechenland hat den Briefmarken\nsammlern im legten Stadium noch\neine ganze Reihe bon provisorischen\nMarken beschert, die zu den seltensten\ngehören, welche seit Ansang dieses\nJahrhundcris überhaupt ausgegeben\nwurden. So hatten die Bulgaren in\nder für einige Zeit besetzten Hafen\nstadt Kawalla iyr eigenen Marlen\neingeführt. AIS die Griechen diesen\nOrt einnahmen, fanden sie einen klei\nne Nest dieser Marken vor und ver\nsahen sie schnell mit einem griechischen\nAusdruck. Von einzelnen dieser Pi"\nvisoricn sind nur 10 Stück hergestellt,\nwodurch sich ihre Seltenheit erklärt.\nAls die griechische Floite vor Dedca\ngatsch lag, wurden auf ihren Schiffen\nBriefe zur Weiterbeförderung ange\nnommen. In Ermangelung von\nMarken fertigte man amtlich recht\neckige Papierstücke an, die mit einer\ngriechischen Inschrift und der Wert\nangabe bedruckt wurden. Als diese\nVorräte zu Ende gingen, nahm man,\nwie in Kawalla. bulgarische Marken\nund bedruckte sie ähnlich wie dort.\nSehr selten sind auch die in G\nmüldschina ausgegebenen Provisorien\nzu 10 und 25 Lepta. Diese Stadt\nwar ursprünglich von den Bulgaren\nerobert, wurde aber dann von den\nGriechen besetzt. Im Autarkster\nFrieden sie! sic wieder an Bulgarien,\ndoch tonnte dieses sie nicht sofort be\nsitzen, sodaß die griechische Besatzung\nlänger dorr bleiben mußte. Während\ndieser Zeit hat man nun türiische\nBricsmar\'en, die inan vorfand, mit\neinem mehrzelligen Ueberdruck in\ngriechischer Sprache versehen und\nauch noch das griechische Wappen hin\nzugefügt. To auch viese Marken nur\nin geringer Zabl hergestellt wurden,\nist ihre Selienheit sehr erklärlich.\nSchließlich sah sich auch Bulgarien\nzur Herausgabe einer Serie von l\nl. is 27 Stoiinli mit einem aus den\nAnlaß zu ihrer Herausgabe bezug\nnibmenden Ueberdruck versehen: sie\nwürd, in größerer Anzahl au-geae \'\nlen. Seltsamerweise ha! Moniene\nzro noch mchis über du Herauvgale\nk-gener SiegcSmarren von sich Horen\nlassen.\nÜ; Magcnleidcn verschwinde.\nMagen-. Leber- und Nierenleiden,\nschwache Nerven, weher Rück? und\nFrauenleiden verschwinden, wenn Elec\ntric Billers gebraucht wird Elsza Pool\nvon Devew. Oklahoma, schreibt: „Elce\nliic Bitters hat mich wieder au dem\nBett gebracht und von meinen Leiden\nbeireit, und hat wir sonst viel Gute\noeihan Ich wünsck e eine jede leidende\nFron konnte dies ausgezeichnete Mittel\ngebrauchen, in au zusinden wie gut\ndaSi-lbe ist " Eine jede Flasche ist ga\nrantiri: äb>c und sft.OO. Bei allen\nApothekern. H. E. Bucklin k Co.,\nPhiladelphia oder Sl. Lou\'.s. Änz.\nDie „No,vster\'-Melkun\ngen baden bi, Gescbtcdte\nvon La Lrone nicht nu\nnitschreiden sondern mi,-\ninachen Helsen.\nNnmine\'- s->.\nStürm in Europa.\nDeutschland, Spanien, Portugal,\nFrankreich und stallen\nbetroffen.\nPari, :?l. Der.\nFrankreich und der größte Theil de\nübrigen Europa hat gegenwärtig da\nschlinimne Unwetter seil einer Dekade\ndurchzumachen. Blizzards und Hoch\nwasser haben deren großen Schade\nli Inland angerichtet und Stürme\nvon außergemöhnlicher Stärke Hadem\ndie Küste heimgesucht.\nIn Spanien und Portugal sink\nviile Personen infolge der Kalte ge\nstorben. Im Süden von Frankreich ist\ndas Quecksilber aus mehrere Grad uiner\nNull. Fahrenheit, gesunken\nTer Vesuv in Italien ist von einem\ndichten schneemainet bedeckt.\nIn Frankreich und dem südlich n\n: Europa ist der Eisenbahnverkehr ih.il-\nweise lahmgelegt Paris und llmge\n! düng ist säst vvllständig vorn Telegra\nphendiens abgeschnitten Am schiimi.\nsie ist die Lage im Süden Frankreich,\nder selten nier dem Frost zu leiden\nbat. Dutzende von Dörfern sind voll\nständig von der Außenwelt inft\'lge der\nSchneesälle abgeschnitten. Die ärmere\nBevölkerung hat unsäglich zu leiden.\n> Biele Todesfälle sind bereits vorgekom\ninen.\n!\nttcilie Arbtitslostii im Horden.\nDuluth. Minn., 31. Deo.\nRach der Erklär g der große Ar\nbeiisvrrmilllungs.Agkniuren i Du\nluih. Minn. ist auch nicht ein einziger\nAi beiter in dieser Gegend brotlos. Alle\nHolzsällcr haben Beschäftigung.\nOclbriiniicii-OleschichtlichcS.\nDie Entstehung unserer großen\nPetroleum - Industrie wird meistens\nauf die betreffenden Entdeckungen\nin Peiiiisylvanien zurückgeführt. Aber\nmehrere ui.ierilanische Staaten erhe\nlen den A ispruch, schon geraume Zeit\nzuvor eincn oder mehrere Oelbrunnen\nselzabt zu haben, die in tatsächlicher\nBenutzung waren.\nIn West - Virginicn wird be\nstimmt versichert, daß in Oeibiun\nn.-n an he Ufern de Kanawha-\nFlusses, auf der Stätte, wo heute\nEbarlcsfti. steht, der erste in unse\nrem Lande gewesen sei und 51 Jah\nre vor dem berühmten Brunnen von\nTiti\'svillc, Pa., floriert habe. Lctz\nfties mag inan leichter glauben, als\nmft erstere.\nKenluctyer behaupten, hast, in ih\nrem Heimalsstnatt\'s.avn sehr früh ein\nz Pliro\'er.rnl,ru::nrr. betannt gewesen,\nj er weiter ni Zs danui getan war\n! den sei. aIS eiinn kleinen Teil des\n! \'l\':odut:-:s ans Flaschen ,zn zieh::\ni und aIS Salbe m Hcuißcrbanöel zu\nrerlau feil!\nEs ließen sich noch mehr derar!\'g<\nVeispiel- anführen: doch sind dietcl\nl-n sämtlich lanin von größerer prat\nulchcr Bedeutung, als enva die Ame\nrika - Entdeckung von EolnmbuS\nUnftreilig ist die Geburt der wirtli\nchen amerikanischen Petroleum In\ndustrie von der Entdeckung von Fi\nluSville zu datieren.\nWestvirginien ist erst vor etwa\nzwanzig Jabren ein großer Petrole\num Staat geworden und seitdem\ngeblieben Es hatre zwar vor dein\nBürgerkriege eine belrächtliche Indu\nstrie dieser Art entwickelt: doch wur\nde dieselbe während ver Zeit der\nFeindseligkeiten sogut wie zerstört,\nund nach dein Kriege hatte sie viele\nJahre Hindu.ch um ihre Existcnz zu\n\'ämpsen. Im Jahre ltüiO aber er\nreichte sü, in diesem Staat ihre höch\nste Ctuse. nämlich eine Ausbeute von\nüber 16 Millionen Faß. Sv hoch\nist sie nicht mehr gekommen: aber\nder Geldwert der 12.200/100 Faß,\nwelche 1!>!2 erzielt wurden, überstieg\nden ,edes anderen Jahres, ausgenom\nmen jenes Banncrßihr.\nIn Belgien ist als Belohnung\nfür gutes Verl-allen den Jnsaisen der\nGesängrussc das Tabakrauchcn er\nlaubt.\nBei den Erdbeben von Js\nchia, 28. Juli 1882, blieb in der\nStadt Easamicciola gerade nur ein\nHaus stehen.\nDie groß en Ochsevhäuie lie\nfert gegenwärtig Frankreich. Neulich\nivuode eine von 87 Oaiadratfuß\nnach den Brr. Staaten gesandt.\nGenera! Timofcjew degradierte\neinen Offizier ..:id schickte ibn nach\nSibirien, wel er aus der Straße den\nHalskrage ossei. getragen hatte.\nZur Zeit des Kirchenstaates\nempfing der Pap 6 für jede Mene,\ndie er selbst las. 27 Paoli \'-?1/10>.\nEinem Gelehrten in London iß\nes gelungen, mit Hilse eines elcftri\nschen Ofens eine G\'.-röhre mit ei\nnein äußeren Durchmes\'-r an nur\n27 Tausendstel Zoll b\'r;ust:!!en.\nIn I n terna! i o a a ! Falls,\nMinn., w\'uvr di- 2 J.\'lre alte\nFrau Herr, nn Girse vurch\neinen unglücklichen .-\'fall durch ei\nwen Schuß ins Herz ans der\nStelle getötet. Ein Gewehr, mit\nwelchem ihr vierjähriges Schnellen\nMiften spielte, war zur Entladung\ngekommen. Seck " Keine Kinder h,r\nixn die Mutter verloren. Tie Fa\nmilie kam ans Bemidji nach Inter\nnational Falls.', 'publisher': 'C. Halbwachs', 'language': ['English', 'German'], 'alt_title': ['La Crosse nord stern', 'Nordstern'], 'lccn': 'sn86086186', 'country': 'Wisconsin', 'ocr_eng': "* Entered in the Poet Office in >\n' teCnow, Wi*.. at eeeond claen rates.", 'batch': 'whi_clabbert_ver01', 'title_normal': 'nord stern.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn86086186/1914-01-02/ed-1/seq-1.json', 'place': ['Wisconsin--La Crosse--La Crosse'], 'page': ''}, {'sequence': 1, 'county': ['Vernon'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85040451/1914-01-07/ed-1/seq-1/', 'subject': ['Viroqua (Wis.)--Newspapers.', 'Wisconsin--Viroqua.--fast--(OCoLC)fst01234647'], 'city': ['Viroqua'], 'date': '19140107', 'title': 'Vernon County censor. [volume]', 'end_year': 1955, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Available on microfilm from The State Historical Society of Wisconsin.', 'Editors: D.B. Priest, Aug. 23, 1865-May 12, 1869; W. Nelson, May 19, 1869-April 28, 1875; H. Casson, Jan. 17, 1877-Oct. 21, 1885; O.G. Munson, Oct. 28, 1885-Jan. 7, 1920; H.E. Goldsmith, Dec. 21, 1921-June 29, 1950; G.A. & M.S. Hough, July 6, 1950-Nov. 3, 1955.', 'Publisher varies.', 'Supplements accompany some issues.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Viroqua, Wis.', 'start_year': 1865, 'edition_label': '', 'publisher': '[publisher not identified]', 'language': ['English'], 'alt_title': ['Censor'], 'lccn': 'sn85040451', 'country': 'Wisconsin', 'ocr_eng': '70L. LVIi: No. 1\nShort News Stories of Interest\nPick-Ups by Censor Reporters of the Coinings. Goings and Doings of\nViroqua and Vicinity\n—Mackinaw coats at Stoll & Groves. ’\n—Window glass and putty at Tow\nner’s.\n—Farms listed, bought and sold. W.\nE. Butt.\nBrick, tile and cement at the Nu\nzum Lumber Yard.\n—Editor Haughton was over from\nWestby on Monday.\n—Hogs and tobacco make great traffic\nin Viroqua these days.\n—Assemblyman Grim.-rufl. was in the\ncity from Westby on Friday.\n—Dr. Chase, dentist, office in INat\nonal Bank building. \'Phone 32.\n—Reiser.auer harp orchestra at Run\nning\'s hall Friday night, January 9.\n—Geo. D. Thompson of Hillsboro\ncalled on his mother here and others.\nMiss Hope Munson went to Chica\ngo to pass a few days with rela ivea.\n—The best cement and plaster at\nright prices at Bekkedal Lumber Com\npany.\n—Louie Sotberg now drives a Buick\n“30” roadster, purchased from Tuhus\n& Clark.\n—G. K. Mork of Soldiers Grove was\n•with his brother T. 0. Mork for anew\nyear visit.\n—A fine line of Christmas and New\nYear post cards, 1 cent each. J. W.\nLucas Jeweler.\n—Oar present stock of Edison two\nminute records closing out at 2 for 25c.\nBrown Music Cos.\n—lf your roof leaks, stop it with\nroof cement. Bekkedal Lumber Com\npany have the best.\n—Ladies, Barker’s Anticeptic will\ndestroy all offensive odor from perspir\nation. All druggists.\n—Shaving sets, mugs, brushes,\nstrops, soaps, powders, hones and ra\nzors at Davis’ drug store.\n—James Wanless, a former Liberty\nPole blacksmith, is here from South\nDakota greeting ola friends.\n—Mr. P. L DeWitt returned from\nCalifornia, where he went a year ago\nexpecting to make it his home.\n—Almost 89 years old, Mrs. Anna\nRonghulet passed away in the town of\nCoon, after many years residence there.\n—Miss Kathrine Lindemann is unable\nto return to her work at Oberlin college\nbecause of a sprained limb produced by\na fall.\n—Don’t think all mackinaw coats are\nthe same in quality. Chippewa macki\nnaws are different. See them at Stoll\nSt Groves ’\n—Amos Schroeder of Viola., has com\npleted the normal course at La--. Crosse\nand accepted a position as teahcer in\nBangor schools.\n—George Willgrubs of Madison, has\nbeen the guest of Mr. and Mrs. Otto\nE. Davis. The gentleman is an uncle\nof Mrs. Davis.\n--Kr. (..id Mrs. Fiank H. Williams\ndeparted, on Monday, for a winter’s\nsojourn in the south, Biloxi, Mississippi,\nbeing their objective point. t\n—Viroqua - Viola basket ball teams\nwill contest a game at the Opera bouse\ninjthis city on Friday night Give the\nhigh school teams a big audience.\nProf Theodore Running circulated\namong relatives and frie.ias in this\ncommunity during holiday vacation from\nliis work at Michigan u.iivereity.\n- T h e city library has just received\nsome new bonks for the juvenile de\nparinn nr. These books will be ready\nfor circulation Thursday afternoon at\n3:3j.\n—Walter S Proctor and wife leave\nfor California tomorrow, going there\nto make it their home, where he has\ninterests in connection with his broth\ner and William Webb.\n—His county board fellow members\nwill be bleßsed to know that Supervisor\nBrad Baley is grandpa, a little son com\ning to the home of his son, Worth Ba\nley, at Hillsboro, a New Year boy.\n—Town treasurers first to make pay\nments of tax money into .he county\nare John C Thompson of Jef\nrferson, Frank R. Eno of Forest, T. S.\nJordon of Union and John W. Waddell\npf Stark.\n—One only, fine fur lined coat, genu\nine unplucked otter collar and cuffs,\nregular price $75, and worth more. Re\nduced to S6O, a rare bargain, one you\nwill never see again as the price ad\nvances each succeeding year. The Blue\nFront Store.\n—Viroqua camp is represented in the\nbig northwestern convention of Wood\nmen now in session at Minneapolis, by\nJ. Henry Bennett, Dr. Surenson and\nOscar Larson. Other county camps\nhave delegates present but the Censor\nhas not the names. Mr. Bennett had\nthe honor of being permanent chairman.\n—Pearl Morley and Edward A. Schmidt\n•who ten days since, went to the south\nwith buoyant hopes of securing work\nat their trade, are home and glad to be\nhere. They say there is forty men for\nevery Job in the south. They visited\nMemphis, Hot Springs and many other\ntowns and found the same conditions\nregarding surplus labor .\n—Mr. E. G. Davis came from his new\nhome at Litchfield, Minnesota, to pass\na few days with relatives and friends\nin Clinton and Webster. He tells the\nCensor that he is well satisfied with\nconditions west and has added a nice\nlarge slice to the farm originally pur\nchased. The sons of Frank Edwards\ncame down from Minnesota with Mr.\nDavis.\n—There will be plenty of attractions\nat the Opera bouse this month including\nspecial moving picture features every\nWednesday and Saturday evenings.\nHarmount\'s Uncle Tom’s Cabin Com\npany, carrying eighteen people, Van\ndyke & Eaton Company, lecture course\nand home talent. The greatest eight\nreel feature now making the iargest\ncities in the world, "The Last Days of\nPompeii,’’ will be given the latter part\nof the month.\n—Coon Valley loses one of her fore\nmost citizens in the death of Dr. Knute\nC. Storlie, the end coming on Decem\nber 28, in LaCrosse hospital, where he\nhad rece-ved treatment for some months\nI for heart and kidney trouble. Daring\nhis years of residence there Dr. Storlie\n|had ingratiated himself in the g iod will\ntoad affections of all peopip by his noble\nweds as citizen, business man and phy\ntoian, and his death is universally\n■jorned During the foneral, which\ntots conducted by Pastor Sovde, every\ntowines* Diace in’ the village was closed.\nJrr. Storlie was 15 years old.\nTHE VERNON COUNTY CENSOR\n—Money loaned. W. E. Butt.\n—lnsure with John Dawson & Cos.\n--Overcoat sale this week at Stoll &\nGroves.’\n—Lamps and all kinds of lamp acces\nsories at Towner\'s.\n—All kinds of storm-noof roofings and\npapers at the Nuzura Yard.\n—Dr. Baldwin,dentist, second floor\nFerguson building. ’Phone 66.\nMrs. Lauder has established an egg- \\\nbuying agency at Cashton.\nW ill Glenn came from Neenah to;\npass New Year’s day at home.\nEdison two-minute records, 2 fori\n25c, while they last. Brown Music Cos.\n—Place orders now for storm sash,\nwhile our stock is complete. The Nu\nzum Yard.\n—Chairman Helmuth Conrad of Clin\nton was in the city on official business\nMonday.\nMiss Minnie I.epke of Harmony was\na guest of Mrs. D. 0. Mahoney during\nvacation.\n—Prof. Roy J. Carver passed a por\ntion of his holiday vacation with Viro\nqua friends.\n- Leave orders for cut flowers and\nfuneral designs with A. E. Surenson\nand you will be satisfied.\n—I have a place to loan $2,000 and\nS7OO at 7 per cent 1 have some money\nat 5 per cent. W. E. Butt.\n—Mrs. Ashbaugh came from Minne\napolis to spend some time at the Sidney\nHiggins parental home at Liberty Pole.\nMrs. Hettie Rusk-Bolstad came\nfrom her home in lowa to pass a few\ndays with Viroqua relatives and friends.\n—John H. Seymour of De Soto vicin\nity purchased one of the popular Buick\n826 touring cars from Tuhus & Clark.\n—Mathias Hanson has completed a\nthree-section automobile garage on his\nresidence lot west of the St. Paul de\npot.\nMrs. George Welch returned home\nfrom the hospital after several weeks’\nabsence, submitting to an operation for\ngall stones.\n—Cbas. E Chase and wife arrived\nfrom their new farm home in North\nDakota to pass balance of the winter\nat La Farge.\n—John Showen was in the city from\nWest Prairie. Says himself and wife\nenjoy their work on Dr. Christenson’s\nbig dairy farm.\n—Plenty of those dreamy moonlight\nwaltzes when the Reisenaur haip or\nchestra plays at Running’s hall Friday\nnight, January 9.\n—Jas. E. Mills of Jefferson took him\nself to Ohio, where rext Monday he\nwill be wedded to a lady of that state,\nMiss Alice Slinker.\n—We are rushed with business but\nwill use you right if you will come in\nand mke your wants known. Bekke\ndal Lumber Company.\n—F’red Hayes, afier spending a fort\ni.ight here returned to his dental studies\nin Minnesoolis. He likes the school and\niiis chosen profession.\nn Oscar Lindevig, one of the get\nthere young farmers of Whitestown,\nwh business visitor to the county\nseat or, Wednesday last.\nWestby loses another aged citizen\nby the going of Mrs. Johanne Melby,\nwho died at the h;me of her daughter.\nMrs. J. K. Running, aged 83 years.\n—John W. Brown and wife arrived\nhome on Monday from a week’s visit\namong relatives and friends in the vi\ncinity of Avaiance and Bloomingdale.\nDr. and Mrs. A J. Moe and son of\nHeron Lake, Minnesota, returned home\nafter enjoying a visit at the parental\nhome of Mr. and Mrs. Jerome Favor.\nPostmaster Shallert and wife of\nChaseburg have intered upon a most\ncommendable wcrk by adopting from\nthe Sparta state school two little girls.\nJudge Mahoney experienced a\nsprained ankle \'or a fortnight, part of\nthe time confined to his home. He now\nhobbles about with assistance of a cane.\n—Cronk & Willard, Chiropractors.can\ncorrect your disrlaced spinal bones,\nwhich cause you* chronic aches and\npains. In Ferguson Bldg., Suite 2,\nphone 27.\n—Do not ovorlook the storm windows\nand doors till cold weather comes. Or\nder them now. Bekkedal Lumber Co\nmpany will take the measure and guar\nantee a fit.\n—Pizzicatto fingering, staccato bow\ning, .he correct method of shifting and\nposition work, will be thoroughly ex\nplained by C. F. Wallace, violin teach\ner, at Running’s hall every Sunday.\n—Christmas, with its good cheer, has\npassed, but mackinaw coats will be\nwanted more than ever. To supply this\ndemand we have just received anew\nline in the best quality and styles. The\nBlue Front Store.\n—Dr. C. D. Mead, graduated and li\ncensed Osteopath, can correct your le\nsions that cause your chronic aches and\npains. Also treats your acute cases of\nall kinds. Over Blue Front Store.\nPhone 209, bouse 312.\n—Mrs. William Proksch of Stoddard\ncommunity, after a week’s illness with\npneumonia, died January 2, aged 67\nyears. She had long been a resident of\nthat neighborhood, leaves husband, sev\nen sons and foar daughters.\n—Mrs. OleC. Sveen returned to South\nDakota after some time passed among\nthe scenes and with friends of other\ndays. Mr. Sveen was treasurer of Jef\nferson for some years and a long-time\nSpringville clerk and merchant.\n—Neighbors and friends of Mr. and\nMrs. N. C. Bergh gathered at their\nhome near Newry, a week ago last\nSunday, to make merry with them on\ntheir twenty-fifth wedding anniversary.\nIt was the occasion of a house warming,\nthey having moved to anew residence.\n—Lawrence Brody, graduate of last\nViroqua high school class, paid a visit\nto his alma mater on Monday. He is a\nstudent at LaCrosse normal. Lawrence\nis honored by being chosen aa one of\nthe debating team for the school in its\ncontests with other normals. The mon\netary system of the country is subject\nto be discussed.\nA special meeting of Viroqua lodge\nwas held to coni • the first Masonic\nhonor upon Kenneth Smith before he\nreturned to university studies. It is a\nrare thing for one to have such honor\nand privilege granted him the day be\nreaches his twenty-first birthday. Mer\nchant Tbos. Dahl received the same de\ngree at that session\nJUST HOW WE ARE EQUALIZED\nReal Estate and Personal in Several\nCounty Precincts\nBelow is given the equalized values\nof Vernon county as determined by the\nlate county board and distrist income\nassessor:\nTowns. Etc. Personal Real Eat. Total\nBergen I 122.745js 751.4*\'* 874.J78\nChristiana *37.948 1.441.660 1 679.548\nClinton “04,353 1.015.786 1.320,1*8\nCoon 166.128 1,034,800 1.190.928\nForest. *20,338 869.95 b 1.090.194\nFranklin 261.879 !.9&* 1.938,139\nGenoa 157.673 596.096 758.769\nGreenwood 173 870 1,161.126 1,337.996\nHamburg 300.032 962.654 1.162.686\nHarmony 169.818 930.858! 1.100.676\nHillsboro 167.890 1.157.058 1.324,948\nJefferson 208,649 1.578,860 1.782.5-9\nKiekapoo 149 251 800.264 949.515\nLiberty 98,611 485.156 530.707\nStark 144,097 694.694 838.791\nSterling 284.9\'! 1.150.902 1,385.8!!)\nUnion 149.548 948,542 1.096.090\nViroqua 225.928 2.015.260 2.269.18S\nWebster 178,128 836,560 1.014 686\nWheatland 98,617 416 304 544.921\nWhitestown. ... 136 547 649 446 785,99’\nCoon Valley village 77,134 167.678 245.012\nDeSoto village.... 53.651 62.017 115,711\nHillsboro village 144.604 485.032 6*9.86*\nla Farge village. . 130.466 336.346 466.812\nOntario village 51.543 106,1812 158,445\nIteadstown village. 78,116 164,638 242,754\nStoddard village .. 40,432 98.901 139,333\nViola village 24,258 156,292 180.550\nViroqua City 679,292 1.830.826 2.510.112\nWestby village... 236.278 567.948 844,326\nTotal 5,287.869 26.188,406 30.426.277\nW. N. Coffland went to Milwaukee\non business.\n—Keith Nnznm passed a week in\nMinneapolis.\n—Mrs. Martha Hall visited her sons\nat Cashton.\nDonald Clarke and wife arrived\nfrom Chicago.\n—Clark Wheeler suffers from an at\ntack of neuralgia.\nMaeder orchestia dance Thursday\nnight of tbid week.\n—Elmer Loverud has purchased a 120-\nacre farm in Dunn county.\n- New subscribers to the Censor\nhave been numerous of late.\n—lf you want sweater values buy the\nBradley from Stoll & Groves.\n—25 per cent discount on all cloth,\nplush and fur lined overcoats.\n- Don’t miss the Maeder orchestra\ndance. Tomorrow night. Thursday.\n—George Wheeler is erecting anew\nwind-mill in northwestern part of town\nKeep your walks free of snow\nCity ordinance compel < this action, and\nits right.\n—Mr. and Mrs. Jerome Favor had as\nguests Mrs. Shields and little daughter\nof Sparta.\n—Brown Music Company delivered\ntwo Kurtzmann pianos in Sparta last\nSaturday.\n—Martin Jackson of Sparta was a\ngue?t of hia eon and daughter for a day\nth Viroqua.\n—January second was the first day\nof the winter to necessitate sidewalk\nclearing of snow.\n- Dance at Running’s hall Friday\nnizht. January 9. Music by the Reiser,-\neuer harp orchestra.\n- Mrs. E. W. Hazen has been in Min\nnesota for some days, called there by\nthe illness of a sister.\nMrs. Angeline Hart, an aged wo\nman and cld resident of Ontario, is dead.\nAlso Mrs. J. P. Sullivan.\nAbraham Lee and wife came from\nMinot, North Dakota to pass some time\nwith relatives in this section.\n—Mrs. Joseph Cunningham and four\nchildren arrived from North Dakota\nfor a protracted stay with relatives.\nHarvey Seeley autoed over from La\nFsrge on Friday. Said it was danger\nously slippery on hills to manipulate a\nmachine.\n—lf you want to see one of th e\nmost beautiful cars built, drop into th e\nTuhus & Clark garage and inspect thei r\nBuick model 837.\nNewton reports an unseemly brawl\nand disturbance of the peace for peace\nable citizens. Booze is said to have\nbeen the disturber.\n—Mrs. Phoebe Price died at Cashton,\naged 87 years, a resident of that com\nmunity almost a half century. Inter\nment in Clinton cemetery.\n—After a month of intense suffering\nfrom carbuncles in a LaCrosse hospital,\nC. W. Moore is home and his condition\npermits him to be about.\n—lnstallation of officers in Viroqua\nModern Wwdipan Camp will occur\nThursday evening of this week. All\nmembers are requested to be present.\n—Miss Gertie Glenn returned from\nhomesteading in Montana, expecting to\nremain at home rest of winter. John\nGlenn and family are also here from\nthe same section.\nWinter is here at last, and with it\nyou will want a warm overcoat. Plush\nlined, sheeplined or fur outside. The\nbest and cheapest will be found at The\nBlue Front Store.\n—Only a few childrens’ and boys’and\nmisses’ mackinaw coats left, ages 5 to\n15, no more to be had. Come soon if\nyou want the most sensible garment for\na boy or girl. The Blue Front Store.\n—Miss Marie Fladhammer is visiting\nwith her Sister, Mrs. Iver Morkrid and\nfamily at Southam, North Dakota.\nFrom there she goes to Grand Forks\nand Fargo to visit relatives and friends.\nFrom the Morkrid western home comes\ntbe news of the arrival of a baby boy.\n-J. E. Shreve, who recently sold his\nfarm in Jefferson to his son and son-in\nlaw, has purchased property and will\nsoon move to the city. His new pos\nsession is the DeGarmo residence and\nthree acres of land a block east of the\nold fair grounds.\n—Tbe old Van Wagner residence on\nlower main street was purchased by J.\nE. Nuzum, who in turn exchanged it\nwith J. W. Sanger for his Kiekapoo\nfarm, Mr. Nuzum selling the farm to\nGeo. S. Taylor of Pleasant Ridge. Mr.\nNuzum retains the acreage property in\nrear of the Van Wagner place.\n—Mrs. Adam Carlyle, a former well\nknown pioneer woman of DcSoto, died\nin LaCrosae on Christmas day, follow\ning a stroke of paralysis, aged 85 years.\nRemains were conveyed to DeSoto for\nburial where the husband died years\nago. Two sons and three daughters\nsurvive. Tbe Carlyles were among De-\nSoto’s earliest and most influential cit\nizens.\n—At Acme, Oregon, recently occur\nred the death of Sidney Waite, aged 86\nyears, from apoplexy. As early as 1852 \\\nMr. Waite located in Whiteatown, farm- \\\ned and logged. He was one of tbe |\nsturdy men of Vernon county in pioneer\ndays With his family he moved to the ,\ncoast country in 1889, where they pros- ■\npered in lumbering operations.\nVIROQUA, WISCONSIN, JANUARY 7, 1914\nWAS DISTINGUISHED IN CIVIL AND MILITARY LIFE\nTaps Sound for Vernon County Honored Soldier-Citizen\n—General E. M. Rogers\n>• W -A < ’•/ ’\nI\nj .... ! : ...\ni’- . <•\'; I I\n\' | , i *■’. V.- :*1\n| j j\n. > * \' gjgpf\n■it * .* - jj\ntu- v. ■ mmnmmtmte j\nThe uniiinpl i and unexpected death\nof General Ejh M. Roffeie, which came\nin a Milwaukee hospital at an early\nhour last Saturday morninff,cant n cloud\nof sorrow over this entire community\nand brinffß a personal grief to the pub\nlic second only to that sustained ty his\nimmediate family and kinst.ip. Two\nweeks and one day preceding his death,\nwith Mrs. Rogers, the general left\nhome, contemplatirjr a winter in the\nsouth, to halt briefly in Milwaukee,\nwhere he contract! and he cold that pro\nduced pneumonia, and the result is too\nwell realized. With him at the hour of\ndissolution were Mra. Rogerf, his two\nsons and son-in law, Dr. C. H. Trow\nbridge. His daughter and daughter in\nlaw arrived a few hours too late to\ngreet him iu life. The I ’truins arrived\nhurt) Sunday morning ct-lfirSrere taken\ndirect to the old home, where many of\nthe tender memories yf a loog and use\nful life were centered\nThe last rites were held in thr Con\ngregational church Tuesday afternoon,\nthe remains lying there in state fur sev\neral hours preceding the service, ar.d\nthere passed in review hundreds if riot\nthousands of and schoolchildren\nto look upon the familiar features of\niin who had been so long and actively\nan agency for education and the best\nthings in community life. At the cask\net were stationed sentinels of honor.\nGrand Army corarades.the men near.-Bt\nhis heart and sympathies in life. The\ncasket was covered by sn American flag\nand banked with beautifully arranged\nfloral offerings. Emblems from the six\norders to which deceased belonged be\ning especially expresoive of love and\nesteem—the Grand Army,lron Brigade,\nLoyal Legion, Odd Fellows, Masonic\nand Royal Arch Chapter.\nThe church was filled to its capacity.\nServices were simple.conducted by Pas\ntor Bayne from the Episcopal ritual, a\nprayer and two selections by the male\nquartet.\nSlowly and sorrowfully the procession\nwended its way to the silent city where\nthe precious remains were returned to\nMother Earth, C J. Smith conducting\nthe Masonic service,and the Grand A<-my\nwhich was an escort of honor, offered\nits tr\'bute and sounded taps. The pail\nbearers were tbe near neighbors and\nIntimate pergonal and family friends of\nthe General —Col. C. E. Morley, H. P.\nProctor, Fred Eckhardt. F. M. Towner,\nE. W. Hazen and 0. G. Munson.\nNo more timely or truer tribute can\nbe paid to the life and memory of Gen\neral Rogers than to say he was a com\nmunity man—one whp believed in his\nneighbors and next to his family his\nneighbors were of most concern to him\nin his every day life. In times of war\nand peace he performed well and man\nfully the stations that came to him,and\nhis civilianship was in keeping, always,\nwith the honorable and heroic part as\nsumed in the days when his country’s\nhonor was in the balance and her insti\ntutions threatened with dissolution. He\nwas a gentleman combining the old and\nnew schools of ethics, surmounting pov\nerty and early disadvantages and fitting\nhimself for enlarged problems He ac\nquired a fund of information which\nplaced him in the front ranks of think\ners, readers and writers all worked out\nin a clear mir.d. In history, art and\ntravel, knowledge of the religions of\nthe world, he had few equals. He pos\nsessed the charitable, sympathetic and\nhelpful spirit to the fullest extent. His\nacquaintance at home ar.d throughout\nthe state was wide and of the best char\nacter. Hia presence has gone from us\nforever; we shall all long revere his\nmemory, remember his good deeds and\ndrop a tear with those moat sorelv be\nreft.\nThe last coon y history deals so fully\nwith the biography and ichievement of\nthis our departed friend an I neighbor\nthat we reproduce the same In it is\nembodied the testimonial of hUold army\nCommander. General Bragg.\nGeneral Roger* was a native ot M the old K"ytonc\nstate having been bom at Moui tjPlssssi e Wsvue\nconntr. Pa.. July H, ISZ3. and I- a# a nor. of Clay\nton mnd Tryphosi* Rovers. hots nf whom were\nlikewise born In Wayne county, where the reepect\ni. - families were founded in r.he pK.r r days,\nfit* ancestors were of colonist ..uck ir. New gna-\nGENERAL EARL M. ROGERS\ni land. *nd H : s ir atrrral ennui father. .Twines Biwro\n■Ji w, fti\'rvtnl m r noMnn in thi v**nth Massitchn\n! ivgmu nt. under Colonel Jackson, in the war\nj tho Revolution. Grrcral U pa?v*j hia oar\n| ly youth in his native state, whe o he was afford\nj t.d the advumageeof tbe Hu sett,\ni tied in Dam- county, in lH r A removed to Crawford\ni county in \\?V2, ant, at the age of sixteen year#, he\ntjok up hi abode in the Httlo village of Liberty\nt Pole, which a then the principal town of Ver\nnon | county. There he a‘cured tmplo>ment as\n! clerk in agent r *l $t re. He remained thus cn\n! IMW or.til *X6O, when ho clos ed the plain* to\n; Coloiado, which was then known a JeiYerHonTer\ni ‘F" r v. H<- made th* t rip with * treiuhtinit train\ni XDkh trail,ported *ui-t>iiu. to the tnir.cu, north of\nj the present city of D*nv r, anrt Leavenworth,\ni Kan . al!ho i.utrtt‘,:j point from whiih the\n| wagon tram aet forth Ho returnod to Liberty\nFoie in the aut.-mn of the ,am<- year ami in the\nj following year he manlfeateil hia loyalty to tho\n1 Union by tendering hi, aerviee, in itn -lefonae.\nj On June 1, 1861. he onl .tiil aa a private in Com\n! i-any t. Sixth Wisconsin inf. htry, with which he\nproceeded to tht rronl and\'with which he solved\n! ttatli thett|haaoT th* war, bovine boon aide do\n! c imp on the staff of Oeni-ral Wadsworth nnlil tht\nj dMIX or In* titter whole,\', hia lire in the battle\n\' of the tYlMorreai, Xh-\'-a-.fler b. \\va, a-deon the\nstaff of General Biaotr until he tta - mustered out.\nMarch 17, 1865. He t- ok part in many of th im\nportant battle which marked tha pr*fleaa of the\ngreat conflict, and ami: K the number may he\nI mention, and the f -l\'-i-ctr k: Rappahannock, Guins\n! vine, eeeord Bull Run. Chantilly, S uth Mnun\n; tain. Antietiun. Fredricahurtr, Fitshnsrh\'s Crosa\nmjj Chancellorsville, Gettysburg. Min.- Run, Wil\ndi-mesa, laiurei Hill. Spoltaylvania. Jericho Ford.\nI Cold Harbor. I’,-terhurir. and Hatcher\'s Run in\nj October. I test, and second Hatcher’s Run in Feb\nruary 1867, In October tß6|, hi- was made first\nxerceant of hie company. In January. 188?, was\ni promoted second lioutenart, in which office he\n* served unto Auirust, 18*13, when hi* wan made first\n| lieutenant: in Octi*ber, )Bt)i, he w-as eomtriirsioned\n* captain and wax twice brevotted captain and ma\n: Jor for irafian t and me.- I \'ori us services in the hot*\nt\'l-aof ih- Wtldsrn.es and Fet-’rabunr. In a per\n( anna]l letter to General ttogerii from h : a old com\nmander General Edward 8. Brace, the latter\n1 awoke as follows, -the communication bearing date\nof April 11. 190°: "It is not possible to write your\n, military hptory without cove\'inif th,* history of\nj the Sixth Wisconsin readment in lour veers* ser\n. vice with the Army of the Potomac, of the Iron\n] Brigade in Its wonderful history, and of theßuck\n! tad Brigade of Pennsylvania, in the battle of the\nWilderness, Spottsylvanis, North Anna. Hanover\nand Rethesila church, where *. ou served on apeci\n} al duty as my ni *o-de-cun p it - my in no l it rnoire\n* /rum ths lieutenant* of the Ir ult i u fe. From\nJuly. 181. until after the litie of February 5.\n! IWu, your soldier\'s life is familiar to ms — as pri\n! vnte. non-commissions,l l fii.-er. lieutenant in the\n| line, ever trux/p, cie rtti.ly, nr re. yrovltna, but\nI alwayest it unto attain the hijhe-l dram of\n| rjriil\' nc in the performance of uny and every\nI duty given you to do. In the second day of the\n\' disastrous battle on the Flank Road in the Wilder\nj nesa your heroic effort to save the Issjy of your\nj chief, the irrand old l iitri.it Wadsworth, who fell\n1 from he: ho-ee. shot, while you sere beside him,\ni hia perauns\' aide de camp, sho- Id n.it tie lost to\n! history. Two niirhts later came the awful march\nin the mud. dyrk aa Erebus, and with strange\nj troops, you and Daily as fiank* is. to drive the\nstrairirl, rs and dodgers intv the road and keep the\ncolumn in motion. At Petersburg It waa at my\nside you fell wounded, while standing beside yoor\n\' kjs! on the rolling crest in front of and within\nI abort musket range of the enemy*\'* ehlrenrhed\n- line that the Iron Brigade, under my command.\nwer* assaulting in sinule lii.c without support.\nI-atcr you returned end rtnuir.rd duty, with en\nj ;i n W It id, not yet healed and being unable to\n1 wear your swoid belL. and by my side for eisht\nj lona hours, from morn ti.l night, fouaht Gor\ndon\'s division of Kebeami tepulbfd them, flichtirut\n, across and recroas the field called Second Hatch\ner’s Run. against superior force but holdina the\nfield until late In the afternoon. No. I can\'t write\nI It, for it would nuke a book, but I can say, and\nthat sums it all un, your soldier’s record of four\nyears was Vine p ur, suns irprui lir. " After the\n, dose of his lona and faithful service in defense of\nthe integrity of the republic f. oner a t !’.,*< t 1\n] returned to his home in Vernon county, where he\nremained until 11057. in March of winch y r lie\n. was appointed second I eulenantof the Third In 11-\nI ed States infantry, with which be Van in active\nj service on the western plans. vuardiu* track lay\nera on the Union Pacific Jtadroad und escortmir\ngovernment supply train\'* to New Mexico. He\nwas erutared in a battle with tbe Indiana at Cim\narron. He resigned his commission and retired\ni from the regular army in IseM, afte which he re -\n. turned to labertv Pole, where he was enjrsgod in\nthe general merchandise busmens for many years\nand where he built up a most, successful enter\n: prise. In 1*72 General Rotters removed to Viro\n\\ qua. where he continued in the same line of busi\nness, as one of the leading merchants of tire city,\nuntil I*2. since which time he has lived virtually\nretired. The mercantile busir **-* }* continued by\nhis elder son. Henry E. The Or oral was one of\n. the loaders in tbe ranks of republicans of Wiscon\nsin. and in 1900 he was s candidate tor tbe nomi\nnation for governor of his lists, but withdrew his\n. candidacy be \'are the meeting of ihe nominating\nconvention- From l a -4 until lb:Cl he served ■** 01-1\n1 lector of internal revenue for tire second district\njof the state. The General was incumbent of the\n; office of \'luartrrmastrr-treneral of the state troops\nduring the administration of Governor Rusk anj\ni took an active part at the Milwaukee riots. He\n. was affiliated with the Masonic fraternity, the In\ndependent Order of Odd Fellows tire Grand Army\n,of the Republic and tbe Do al le-vion. He was\n1 one of the honored and valued member* of Alex\nIxiwrre post, Grand Army of the Republic of Viro*\noua. tit** first orrsniz-d in the county, and he waa\nita tirst commander He and his wife were com\n: municants of the Prolestai t Episcopal church.\nTbe General was a man of distinctly n ifary bear*\nins. erect and vigorous.**!*! rivory siiyht ‘-videoce\nof the years which reeled upon him He has been\na loyal and public-spirited cithern donna his lona\nperiod of residence in Vernon counf > urd there\nhis circle of friends is cccum* rifsd only by that\nof hia sc/iuainlances. He was a man of broad in\nformation and mature judgment, rrenarous and\ntolerant, and one who well den- rved tie grand old\nname of gentleman. He has.traveled extensively\nand widen**! his fund of knowledge b; a Pprecis- |\ntive observation and by association w tb men of ‘\naffairs. He visited Europe and Mexio and also ’\nmade sojourn* in the most diverse auction* of bis\nnative land. On February * I*o4, was rolemnixed :\nthe marrisire of Genere I Royer* to Mies Amanda ,\nI*. William* daughter of Israel and Eilabeth Wit- 1\nliamsof Vircviua and her death occurred in IS9O. ,\nShe is survived by three cUioreti: Henry E.. Ed- j\nward X,.. who is United slut** Exprea street at !\nSparta, end Edith M.. who is the wifeo Or. Chaw. *\nH. Trowbridge. of Vine ua fn lid thnonss Mary- i\nlane, October kl, 1*93, General Rogers w .* united I\nin marriage to Mrs. Par line (Gordon) W ruble. ,\nORGANIZE FOR THE WINTER\nLecture and Entertainment Course\nElects Officers and Makes Ready\nA goodly number of gentlemen met\nby appointment and took action relative\nto the winter ei tertaffiment course.\nOfficers elected:\nFresident—T. O Mork.\nVice-President—O. G, Munson.\nSecretary -B.rlie Moore.\nTreasurer—Will F. Lindemann.\nExecutive Committee—W. U. Dysan. C. J.Smith.\nJ. E. Nt.mm, Henry Lindemann. Dr. J. H. Chase,\nG. F. Dahl. W. K. Cortland. Dr. W. M.Trowbridge.\nOfficers were authorized to push the\ncanvass for subscribers to the course,\nwhich is to consist of five excellent\nnumbers and be sold at the price of past\nsears, or $1.50 per ticket for the sea\nson. There will L ( three musical pro\ngrams—The Mozart Concert Company,\none of the best in the land, The Stroll\ners Quartet, The Lewis Concert Com\npany; one evening of impersonations by\nEllsworth Plumstead and a lecture by\nChancellor George 11. Bradford. The\nfirst number will come on Thursday,\nJanuary 22, with appearance of the Mo\nzart Concert Company, one of the lead\ning attractions in the Redpath bureau\nPast years Tave crowned the efforts\nof our peop e in this entertainment\ncourse and i very enterprising citizen\nshould lend a helping hand to this sea\nson’s efforts. Identify yourself with\nthis commendable work by subscribing\nfor tickets when solicitors approach\nyou.\nFirst Under the haw\nUnder the new eugenics law, which\nrequires a certificate from a physician\nafter a physical examination, before a\ncounty clerk is permitted to issue mar\nriage permit to a man. County Clerk\nMoore granted the first one on Tuesday.\nAnd happily it was to one of the most\nperfect specimans of manhood one could\nwish to look upon, a young fellow up\nwards of 30u pounds.\nThat the new statute is dreaded by\nthe average aspirant for matrimonial\nfavors is demonstrated by the fact that\nin November and December, 1912,Clerk\nMoore issued 40 licenses, while in the\nsame months in 1913 he put out 70.\nThe .aw and attitude of physicians\nand officials respecting the same is some\nwhat set forth on an inside newspage\nof today’s Censor.\nLecture Wednesday Evening\nViroqua music-loving people should\nnot neglect hearing Professor Dykema\nat the high school assembly room next\nWednesday evening, January 14. Prof.\nDykema is of the state university, is\nleader of the Madison choral union, and\na powerful, enthusiastic speaker. His\nlecture on music will be entertaining\nand instructive. Especially are those\nurged to attend who desire the orga\nnisation of a Viioqua choral union, this\nbeing the chief object of the meeting.\nA Man Everybody Knew\nThe Rev. J. D. Searles, a well known\nMethodist minister throughout this sec\ntion of the state, died at his home in\nSparta after a serious illness of many\nweeks. He was about 81 years of age\nand quite an eld settler and promin\nent minister in this part of the state,\nhaving been presiding elder of this dis\n< trie*\'as far back a* JB7d Mr Searles\nwt,“ very highly regarded both in the\nministry and with his large circle of\nacquaintances among the people.\nRenter Wanted at Once\nGood stock and tobacco farm at Pur\ndy, all equipped with marhiAffry and\nstock, 157 acres, fine spring water, etc.\nCall at once if interested, tor will sell).\nNellie Buckley, Viroqua.\nAppointed Assistant Postmaster\nBy authority conferred upon him un\nder civil service rules Postmaster Smith\nhas named Mr K M. Nye as his first\nassistant, Mrs. Nye being one of the\neligible names submitted.\nCome and Help Us\nWe want more help for tobacco sort\ning, both men and women. Come and\nsee us or write. The Bekkedal Ware\nhouse, Viroqua.\nFloyd Bowman returned from Min\nneapolis.\n-Peter S. Nelson is again clerk at\nHotel Fortney after a season on the\nfarm.\nGrand Army and Relief Corps held\njoint installation of officers on Monday\nnight.\nMrs. Dick of Madison is visiting\nMrs. Mary Beat and the C, F, Dahl\nfamily.\n—Thos Ellefson is at the old home\nin the town of Coon, today, attending\nfuneral of his aged father.\n-Miss Fay Smith want to La Crosse\nto attend Elkß reception and New Year\nball ar.d tie the guest of friends,\n—Stoddard village is shocked by the\ndeath of Mrs. Laedeke, who died sud\ndenly from heart failure, aged 78.\n\'—Mrs. C. VV. Lawton arrived from\nLa Farge to spend some time with her\nson Will ar.d daughter, Mrs. W. S\nProctor.\n—The child of Mr. and Mra. C. A.\nHiliupx, taker* sick while here with the\nmother, was able to be taken home to\nRichland Center.\nMr. J. A Porter af Chippewa coun\nty, and Mra. Mclntosh of Minnesota,\nare visiting at their parents’ home.\nHon. and Mrs. Hugh Porter.\nMartin Davidson autoed to Viola\nNew Years day Last Sunday they\nhad as guests their relatives, John and\nEmil Sveen and wives of Westby.\n—The limit of petty thievery and de- j\ngradation wbb reached when u party 1\ntook accumulated coins from sale of\nRed Cross stamps in the Richland Cen\nter postofflee.\nViroqua Implement Company hat)\nleaped ita business prop--ty and dis\nposed of tbe stock to Mr. H. G. Simp\nkins, a well-known traveling salesman\nfor Remlcy engines. Hi* family has\narrived from Minot, North Dakota, ard\noccupy the tenement house of Frank A.\nChase.\n—Viroqua will have a third hardware\nestablishment with the coining of\nspring Mayor August J. Smith, a bus\niness man here for a quarter of a cen\ntury, and his son-in-law, Chaa. A. Park\ner, the well and favorably known sales\nman They will open in the comer\nstand so long occupied by Mr Smith,\nwhich will be vseated by Anderson &\nSauer.\n—Those from outside who came to\nattend tbe funeral of General Rogers\nwere Congressman Each of LaCrosse,\nHon. A. H. Dahl of Westhv, W. J. F.\nBrown of Sparta, W. J. Thompson of\nNew Lisbon, Capt. D. G. James, M. C. |\nBergh and Louis T Johnson of Rich- i\nSami Center. Messrs. Johnson and |\nDahl were in General Pogers\' employ 1\nas clerk ■ r.ore than thirty years ago.\nESTABLISHED 1856\nHARDSHIPSJtf OLD DAYS\nAFFLUENCE PRODUCED BY IN\nDUSTRY AND ECONOMY\nA Foreigner Who Made Success in a\nStrange Land—A Life and Record\nWell to Emulate\nA final departure, a few days since,\nof William M. Bouffleur, for his newly\nacquired home in he state of Oregon,\nremoves from Vernon county ihe Uat\nmember of the family of the late Hon.\nPhilip Bouffleur. one of the foremost\nduring nearly six decades. Mr. Bouf\nfleur was known as one of the most\nsuccessful men in civil life this com\nmunity has produced, aid his activities\nceased with his death a year since.\nHis example may well be emulated.\nTo demonstrate the privations and hard\nships of pioneer days, and the success\nes brought by industry and economy,\nwe herewith subjoin the article below,\nwhich was real by Me. Bouffleur at an\nold settlers\' reunion lurid here in 1902;\nIn 1857, in company with A(Um Doerr. hi 9\nwife and two littlwairlA. now Mrs. Joseph and\nNeal Me Lee*, the vteamer Key City landed us\nat 2 o\'clock a. m . April Dth. a bitter cold ntjrhl.\nat Had Axe Oily, now Genoa The only hotel\nwas not even ilulutvd. We stored away our\nwives and children, took off our coats to keep\nthem warm, while Adam and I walked the\nfloor looking for morning: to come, for which\nwe were glad. After paying SI.OO each hotel\nbill John Given man took us to our destination\nat Springville, with hia horse team, which were\nrather scarce in those days. We were well\neared for by John Graham and his wife. Lam\nech Graham and James Harry were keeping\nstore at that time and t hired out for $l per\nday as shoemaker, anti remember well while\non my wav to Dr.buque for leather, a man on\nthe John Hayes farm gave mu S3O to buy him a\nbattel of pork. Another man at Genoa gave\nme money to buy him two sacks of corn meal.\nI worked for Graham A Harry only short\ntime, as they failed and left me without a coni,\nof money, no work, no friends, in anew coun\ntry. not able even to talk Koglish and in debt\n$:5 for oart of a house built for me to live in.\nThen it was that I h gan working for farmers;\nmy wife worked for folks for whatever they\nwere willing to pay us. We actually suffered\nfor the necessities of life. Finally we got S2O\nfrom the ea*t and a few dollars from the sale\nof a pair of shoes I hud made for my wife, hut\nshe insisted on turning them into money, that\nshe could go barefooted a while longer. James\nLowrie had lv?cn working for Graham * Harry\nand was in .*bout the same fix. financially, that\n1 was and 1 is wife, like mine, had been bare\nfooted tor some time. Mr. Huusmao. a former\nshoemaker of Viroqua let me have leather\nenough for a pair of shoes lor my wife, which\nI sold to Jim Lowrle for $3. Mrs. Bouffleur be\ning willing to go barefoot a while longer and\ninsisted that F L\'ake the shoes Or Mrs. Lowrie.\nWith this same JSS I wont to L.a Crosse on foot\nand carried home a roll of leather on u:. back.\nThis 1 did quite a number of times. I worked\nwith a determination to get a start. Many\ntimes I worked clear through the night, as l\nhad plenty to do. Awnau coming In the even\ning and wanting a pair of boots in tbe morning\nand having the money to pay for them. I got\nthem ready. Folks would talk among theta\nselves and wonder if that Dutchman over slept.\nThey could see my light and me working\naway, but like many others l fooled away some\nsix years building a hotel and other unpro\nfitable doings, so that all I had to show for my\nhard work was about skoo. and by that time\nquite a family, which seems to be the lot of\npoor men. My Income was light and my ex\npense* in proportion. Millinery bill for the\nseaaun was a ton cent straw hat with a live\ncent ribbon for our daughter Dora, which was\nall satisfactory. In 184 I bought out Mr.\nHardulf and startl\'d store keeping; went in\ndebt about s*.ooo. kept up my shop in connect\nion with the store, myself and t wo men running\nit while Mrs. Uouifieur. Nels Day and wife did\nthe work in the store. For a while after the\nstore closed evenings wo employed our school\nmaster to teach us English and other branches.\nBeing quite successful after a low vegr, I\nh light out Alex am! Will lain Dowrle and niov*\nod to our present Springville store. 1. ttfttr\nemployed four and five clerks, including Capt\nai*?* Lowrie, our wk*s running tu some lan.ooo\na year ror mute a nunl**? of years I wan\nproud of my business, customers coming from\nquite a distance— tisofea. Coon Valley, Liberty\n1 Pole. West Prairie Newton. Genoa. Kiekapoo.*\nCoon and Hound Prairie.\nThis busy life of 118 years of store keeping\nbad its ups and downs. I have been favored\nthrough these years by many friends, privi\nleges and honors, foi* which I feel grateful,\nand shall as long as l live. lam now 73 years\nold and feel my strength failing and must\ncome to th* conclusion that my race is nearly\nrun. but other wise I am happy and contented\nand glad I am with you on this occasion.\nJust Human Nature, That’s All\nOur young friend and popular jeweler,\nSam B. Lillis, has been under suspicion\nfor some time, and he stole a real\nmarch on the best of us when he stealth\nily made his wav to the county asylum.\nNew Yeat’s night, in company with his\nlady love, Miss Avis Evan 9, and before\nnear relatives, the magic words were\nsaid by Rev. C. E. Butters which unit\ned their fortunes for realities of life.\nIt was also the twenty-first wedding\nanniversary of Superintendent and Mr\nButters, hence a mutual extending of\ncongratulations and good wishes for tbe\nfuture, followed b y refreshments.\nLater a wedding dinner was given in\nhonor of the newly wedded by Mrs. Fred\nSlade, cousin of the groom, in which a\nnumber of relatives and invited guests\njdlned.\nSam Lillis is one of our most worthy\nyoung men, a carver of his own destiny,\nand ia creditably making his way to the\nfront in his profession and business.\nMay he continue to make good, is the\nCensor’s best wish, as it is of every\nacquaintance. The lady of his choice\nis a Tomah miss, a stenographer in the\noffice of A. J. Livingston for some\nmonths, who h3B made many friends\nhers.\nAuction Sale\nl Having purchased land near Marsh\n! held, where he v II \'.ioon move, Lem\nHayter will hold muo at the old Bid\ndison farm near Brookville, on Wednes\n|d-ty, January 14, when live stock, ma\nchinery ami many other things will be\nsold. Commences at 11 o’clock, free\nlunch at noon.\nPlenty of Activity\nLate case weather has furnished op\nportunity for all to finish taking to\nbacco from the poles, and that work ia\npractically over Long strings of teams\nare bringing in tbe bundle goods every\nday. Warhouses are busy sizing a\'..*l\nsorting, although there is still a short\nage of help here as elsewhere.\nWILL BUY HORSES\nThe undersigned will be at the stone\nbam in Viroqua, Saturday Next, Jan\nuary 10, to buy a car load of farm horses,\n1,100 to 1.400 pounds, serviceably sound.\nAlso a car of draft horses for city\ntrade, must be sound.\nTownsend & Jennings.\nI will be in Viroqua Monday, January\n12; the next day ut Read<town till 10\no\'clock a. m.. and Viola till 12:30 p. m.\nBring in your good horses and get the\nbest orices. H. E. Light.', 'batch': 'whi_doxy_ver01', 'title_normal': 'vernon county censor.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85040451/1914-01-07/ed-1/seq-1.json', 'place': ['Wisconsin--Vernon--Viroqua'], 'page': ''}, {'sequence': 1, 'county': ['Grant'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85033133/1914-01-07/ed-1/seq-1/', 'subject': ['Lancaster (Wis.)--Newspapers.', 'Wisconsin--Lancaster.--fast--(OCoLC)fst01307511'], 'city': ['Lancaster'], 'date': '19140107', 'title': 'Grant County herald. [volume]', 'end_year': 1968, 'note': ['Description based on: Vol. 2, no. 16 (Sept. 20, 1850) = Whole no. 69.', 'Editor: John Cover <1873-1876>.', 'Publisher varies.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Lancaster, Wis.', 'start_year': 1850, 'edition_label': '', 'publisher': 'J.L. Marsh', 'language': ['English'], 'alt_title': ['Herald'], 'lccn': 'sn85033133', 'country': 'Wisconsin', 'ocr_eng': 'ESTABLISHED 1843.\nSTRIKE NOT SETTLED\nIN COPPER COUNTRY\nFederal Mediator Fails to Bring\nPeace at Mines.\nPuts Blame Mostly on Operators—Gov.\nFeriis is Now Making a Personal\nInvestigation.\nHoughton, Mich., Jan. 5. —Efforts to\nend the strike of copper miners by\nconciliation failed. John B. Densmore\nof the department of labor so an\nnounced after a final effort to bring\nthe warring interests together.\nHe did not hesitate to Marne his\nfailure upon the uncompromising at\ntitude of the mine owners, who re\nfused to recognize the Western Fed\neration of Miners as a party to arbi\ntration proceedings or other peace\nprojects.\nDensmore Tells Story.\n“In a nutshell, the question was\nwhether the union men should go back\nto work with or without discrimina\ntion. The companies refused to do\nanything but discriminate against\nmembers of the union,” said Mr. Dens\nmore.\n“It means a struggle to the bitter\nend,” said O. N. Hilton, chief of coun\nsel of the Western Federation of\nMiners, who has represented Presi\ndent C. H. Moyer here since the lat\nter’s deportation. “The outcome is\ndue entirely to the attitude of the\ncompanies. They wanted everything\nand would concede nothing.”\nCompromise Is Rejected.\nThe union’s last word was an offer\nto withdraw the Western federation\nTom the field, its place to be taken by\n. union affiliated with the Michigan\nFederation of Labor, the United Mine\nWorkeis, with which the Western Fed\neration of Miners is affiliated, or some\nsimilar body. This was rejected ab\nsolutely by the companies.\nThe employing interest suggested to\nMr. Densmore that a secret vote of the\nmen on strike, if properly safeguard\ned, would show a majority of them in\nfavor of returning to work outside the\nunion fold. When this was broached\nto the federation men there was an\nimmediate declination to submit the\ncase to any such test. Word of the\nnegotiations was telegraphed to the\nsecretary of labor by Mr. Densmore.\nHe said that a full report of the ef\nforts made would be made by him aft\ner his return to Washington.\nThe strike has been in progress\nsince July 23. Now that Mr. Dens\nmore has given up and is going back\nto Washington, there are prophecies\nthat it will last much longer. J. E.\nRoach, a representative of Samuel\nGompers, president of the American\nFederation of Labor, said:\n“This strike will not be settled for\neight months. It will run longer than\nthat. It will go a year. The American\nfederation will aid the strikers, and\nother organizatinos will help.”\nAttack on Moyer Up to Grand Jury.\nThe Houghton county grand jury\nwas specifically charged by Judge H.\nH. O’Brien of the circuit court to in\nvestigate the kidnaping of Moyer.\nMoyer was forcibly deported, beaten\nand shot.\n“If the jury believes there is reason\nable amount of evidence pointing to\nward persons connected with the kid\nnaping, they are* to be investigated\nand indicted,” Judge O’Brien charged.\nThe grand jury is made up of James\nMacNaughton’s chauffeur, Edgar Bye,\nseveral mine superintendents and two\nSocialists. The evidence is being\nplaced before the grand jury by\nGeorge Nichols, a special prosecutor\nappointed by Governor Ferris to con\nduct the investigation.\nJudge O ltrien has been condemned\nby the mine mauagers and the mem\nbers of the Citizens’ alliance without\nmercy. Placards charging that he\ntried to mediate the strike in the\ncause of the Western Federation of\nMiners have been posted on the bill\nboards in Calumet township, and in\nthe Calumet & Hecla stamp mills one\nof the largest posters is displayed.\nFerris on Way to Calumet.\nCalumet, Mich., Jan. s.—Governor\nFeriis, Labor Commissioner Cunning\nham and Secretary Nesbit will arrive\nin the copper country tonight. The\ngovernor will prosecute a vigorous in\nvestigation of the strike in the hopes\nof bringing about a settlement. He\nis accompanied by several lower\nMichigan labor leaders.\nSilver Wedding.\nMr. and Mrs. Joe Biicb, of Bee\ntown celebrated the twenty-fifth an\nniversary of their wedding Friday\nevening, Dec. 19. A large number\nof relatives and friends were present\nto commemorate this happy occasion.\nMany useful and beautiful gifts were\nleft behind as a taken of esteem for\nthe good host and hostess who bad\njust passed the the twenty fifth mile\nstone of theii happy married life.\nNus Sed.\nHelter —“What sort of town is New\nYork? \' Skelter —"Judge for yourself.\nTwo of its burroughs are named aft*\ner cocktails.’—Judge.\nGRANT COUNTY HERALD\nSCHOOL NEWS\n“Are Our Public Schools a\nFailure 7“\nProbably at no time have the public\nschools been critizised so universally\nand indiscriminately as at tbe\npresent. Very much of this criticism\nis bad because it is unsound, untrue,\nand while objecting to tbe existing,\nhas nothing better to substitute. All\nof it is uDfortudate because it lowers\nthe value of a school education in the\nminds of unthinking people who need\nthe school the most. It is not at all\nunusual to find articles in any paper\nor magazine today bearing the title cf\nthis paragraph. Tbe following dis\ncussion which answers tbe question\nnegatively, written hy ,T. W. Red\nvay, is an extract from the Western\nTeacher” for December.\n‘‘l take New York City as an\nexample. Knocking New York schools\nis quite tbe customary habit, and the\nsmall army of efficiency experts can\nfind nothing good about them.\nThree quarters of a million pupils\nattend them and about twenty\nthousand teachers constitute the\nteaching staff. Not far from one\nthird of tbe enrollment cousists of\npupils of foreign birth or are tbe\nchildren of foreign born parents.\nAt the present time the parents are\nmainly Italians, Russian Jews,\nSyrians, Poles, and Greeks They\nare the unskilled laborers and tbe\nvital energy of the sweat shops. So\nfar as tbe parents are concerned the\nproblem is simple. They will live a\nwhile, herded as sheep are herded,\nthen they die, But their children\nare the greatest problem on earth\ntoday. Let us see the work of the\nNew Y 7 ork schools un them, by a\nstudy of the past.\nFifty years ago the Irish formed\nthe chief factor in the unskilled\nlabor population. Walk along any\nbusiness street and one might be sure\nof seeing signs reading— ‘Man wanted ;\nno Irish need apply. ’ Well, the\nadult generation lived and died; that\nwas all. Their children went to the\npublic scbcol. but they were never\nin any great proportion unskilled\nlaborers. The third generation of\nthese Irish immigrants is still living\nin New York City. Who are they,\nand what are they ’ The answer is\neasy : they are the greatest factor in\nthe political and industrial energy of\nthe state—senators, congressman,\nengineers, contracture, clergymen,\neducators and railroad builders. And\nthe Jews of three generations ago?\nbankers, merchants, and capitalists.\nBoth nationalities are furnishmg tbe\nred blood of tbe country today.\nPardon another heresy ; the red blood\nis worth a lot more to the country\nthan the blue blood.\nNow it has been shown that if the\nhuman mind goes without training\nbetween the ages of six and twenty it\nceases to grow. Suppose that all these\nyouugsters of foreigD born parentage\nbad grown up without school train\ning. The answer to this is also easy ;\nthey would have been just what\ntheir grand parents were—the flotsam\nand jetsam of civilization.\nIn the city of Mount Vernon. New\nYork, it costs about six hundred dol\nlars to steer a youngster through the\nelementary aud high schools The\naverage income of one hundred men\ngraduates of the high schol is not far\nfrom fifteen hundred dollars a year.\nAt five percent this is the income on\nthirty thousand dollars. Ia other\nwords, we invest six hundred dollars\nand tbe product commands just fifty\ntimes that sum What a failure!”\nTHE WINTER SHORT COURSE\nMention was made in this column a\nshort time ago of the winter short\ncourses which were being introduced\nin a number of Wisconsin high\nschools this year. From the reports\nia the educational papers, the idea is\nnot wholly confined to this state.\nThe Geneseo, Illinois, Township High\nSchool has begun such a course for\ncountry boys. The course started\nDecember first with an enrollment of\ntwenty-four boys, ranging in age\nfrom fifteen to twenty years, and in\nadvancement, from the eighth grade\nto the third year of the high school.\nThe establishment of the course\nthere is the result of a definite de\nmand on the part of the farmer tax\npayers who have not been receiving\nthe benefits they tbiuk tbey ought to\nhave from the money they are pay\ning, because they need their boys for\nfall and spriug work on the farms.\nInquiries made by Principal Beatty\ndeveloped the fact that there were\nenough of the country boys interest\ned in the proposed coarse to warrant\nthe undertaking, hut it was not ex\npected that the enrollment for the\nfirst year would be more than twelve\nor fifteen.\nFive classes have been organized\nand each student is enrolled for four\nof the five; all but one are in the\nagriculture class. A graudate of tbe\nPUBLISHED AT LANCASTER, WISCONSIN, WEDNESDAY, JANUARY 7, 1914\nAgriculture department of the Uni\nversity of Illinois, a practical\nscientific farmer, has charge of the\nwork.\nIt is very probable that winter\nshort courses will become general\nThe state education department of\nthe state of New Y T ork has a division\nof visual instruction which supplies\nlantern slides and photographic prints\nto schools, on the condition that they\nshall be nsed for strictly free instruc\ntion. This year the department will\nlend to schools for this purposa 200,-\n000 slides, covering topic in history,\nyeography, literature, and the in\ndustrial arts.\nA department of visual instruction\nhas very recently beeu introduced in\nthe University of Wisconsin ; Prof.\nDudley of the biology department of\nthe Platteville Normal has been\nchosen to take charge of tbe work.\nTbe first home game of tne season\nin basket ball will be played at the\nopera house Friday evening, Jan. 9,\nbetween Lancaster and Potosi.\nOUR NEW BIG STORY.\nThe continued story. ‘‘The Honor\nof the B’g Snows,” which has been\npublished in The Herald for the past\nthree months and has been perused\nwith much pleasure by thousands of\nour readers, was ended last week.\nTb is week we have a rare treat for\nour readers in the commencement of\none of the very best stories of tbe\nyear, the scenes of which are located\nat the other end cf the earth, and\nwritten by one of tbe most popular\nauthors in America—Rex Beach,\nAuthor of “The Barrier,” ‘‘The\nDanger Trail ” etc. The name of\nthis new story, the opening chapters\nof which will be fouud upon another\npage of today’s paper is ‘‘The Ne’er\nDo Well,” a romance of the Panama\nCanal in which a young, athletic\nAmerican, who ha 9 become a little\nwild in college days, gets in bad with\nbis rich father and finds himself\nstranded in Panama —‘‘broke ” The\nseries of adventures that follow show\nthe sterling worth and courage of the\nyonng fellow, who gets into and out\nof all sorts of scrapes, and finally\nwins out and proves himself an\naltogether admirable fellow. Don’t\nmiss reading this big story, which\nbegins in Tne Herald THIS WEEK.\nADVERTISING CALENDARS.\nDuring tbe past year The Herald\nfurnished to the business touses of\nLancaster and other towns in the\nvicinity over SI4OO worth of advertis\ning calendars. Owing to the arrange\nment we have established for buying\nthese, getting them direct from one\nof tbe largest iuiportiug and manu\nfacturing establishments of such goods\nin the United States, we have been\nable to cut out tbe usual middle\nman’s profits and supply them to our\ncustomers at a price greatly below\nwhat other calendar salesmen ask for\nsimilar quality. We have ar\nranged to represent the same firm\ntbe coming vear and our representa\ntives will at an early date be prepar\ned to show the new things for 1915.\nTbe most popular class of goods in\ntbe entire line the past year has\nbeen the wall pockets, all made in\nGermany, which are of practical use\nin every home in addition to their\nbeauty The assortment to be sub\nmitted for 1915 is larger and more at\ntractive than ever, the colorings being\nsomething wonderful and beautiful.\nThe new samples are now here\nand will be ready for showing to\nprospective customers within a few\ndays We shall be glad to have our\nline compared both for quality and\nprice, with the goods of any salesman\nwho may come into this territory\nduring the coming year, confident\nthat we can show, as we have during\nthe past year, that we have a larger\nand finer line than any of them and\nat lower prices.\nThis new lot of samples, for 1915,\nincludes hundreds of designs, in goods\nof every class and a wide range of\nprices—Wall Pockets, Tissue Novel\nties. Cut Outs, Imported and Domestic\nHangers, tinned at top and bottom,\nhundreds cf designs on card boards,\nDesigns mounted on mats and execut\ned by the four color process, the\ndainty hand-painted DeLuxe line,\nfans, leather novelties, etc.\nIt is a large and beautiful collec\ntion and the prices are such that we\ncan save our customers money on\ntheir purchases, as we dil the past\nyear. We shall be glad to receive\nthe home patronage and to show the\ngoods at any time desired.\nTHE HERALD.\nFARM FOR SALE—Farm of the late\nBen Bass, Jr., consisting of 160 acres,\nwith good buildings and improve\nments, located about three and one\nhalf miles southwest of Lancaster.\nApply to Joseph Bass, Lancaster,\nWis. 45w3c\nObituary—John H. Bennett.\nJohn H. Bennett was born in Corn\nwall, England, December 24, 1846.\nHe was brought to America with his\npaients when but six months old and\nlived with them in New York two\nyears. He had been a resident of\nSouthwestern Wisconsin forty years—\ntwenty-seven of which he resided in\ntownship of Lancaster. At tbe\nMethodist parsonage in this city he\nwas married on January 1, 1873, to\nMiss Eliza C. Keretzer. Fonr chil\ndren came to bless their home, tbe\neldest, a sweet little girl of two and\none-half years, guing at that early\nage into the heavenly home. The\nonly other daughter, Mamie, in tbe\nbeauty of early womanhood died after\na lingering illness and mourned cf\nmany, April 7, 1908. Suddenly May\n26, 1913 while on a visit to tbe son\nPhil, wbb lived at Mather, this state,\ntbe beloved wife and mother took her\ndeparture for that land from whence\nnone return. Tbe dear body was\nbrought to Lancaster that it might\nrepose beside ber children. The bus\nband was broken hearted and would\nnot be comforted. He had been\ncrippled by disease and for many of\ntbe daily comforts of life was de\npendent upon the loving, faithful\nministries of his wife. None could\ntake her place. For some months be\nremained with his brother aDd sister,\nMr. and Mrs. Philip Beunett where\nhe received all the kindly attention\nthey could bestow. Then the son\nPhil came back to the tld borne in\nthis city where he and his wife tried\nto make tbe father comfortable aud\nhappy But he mourned incessantly,\nand prayed to be delivered of this life\nthat be might be reunited with his\nloved ‘‘Eliza ” Existence tc bim\nwas only a burden without her com\npanionship Had he been strong and\nable bodied, he probably would have\ntaken up bis cross and borne it brave\nly as others do under irreparable\nlosses. In his decrepit state is it any\nwonder be so mourned so loyal a help\nmeet as Bennett was. The lov\ning Father noted his sorrow, and\nheeded tbe cry of bis heart. On the\nmorning of December 19, 1913, while\nsitting in bis chair with not a long\nwarning of his near approach, tbe\ndeath angel touched bim gently and\nhe passed peacefully away. Tbe sons\nGeorge us Mather and Phil of Lancas\nter, with their families other rela\ntives, and friends sorrow for their\nloss—and yet rejoice that the parents\nwere not long divided. Rev. Beavins,\npastor of tbe M. E. church where last\nservices were tendered, spoke beauti\nfully of tbe re-union —tbe joy of the\nfirst Christmai together in a land\nwhere pain of parting never comes.\nThe floral offerings were many.\nFor these and tbe many other kindly\nand consoling offices of friendship tbe\nsurviving relatives are very grateful.\n“Some fair tomorrow we shall know\nLife’s mysteries that hurt us so:\nThe love and wisdom in disguise\nWill then be open to our eyes.”\nb. d. a.\nRaincoats at Ten cents.\nA man in Illinois has invented a\nprocess to produce and market a rain\ncoat that can be retailed from 10\ncents up. These coats are made in\nthe regulation slip on style, from an\nintegral part of waterproof paper.\nTheir production cost will be no\nhigbtr than 5 cents each, and even\nthat figure can be lessened. The coat\ncan be folded np to fit in any ordinary\neuvelope and is particulary adapted\nto bring carried in bandoags\nThe coats can be made of oiled\npaper or paraffin, vellum parchment\npaper, which gives the appearance of\nsilkiness at a short distance. Tbe\noriginal idea was for the coats to be\nworn only once, but after a trial, it\nwas demonstrated tbat they could be\nutilized successfully two or three\ntimes. The coats are re-inforced\nwhere the buttons are sewed on and\nalso where the button holes are cut.\nThere are only two seams, both\nrunning underneath tbe arms and\ndown the sides. These seams are\ncemented by ordinary glue.—New\nYork Times.\nMethodist Church.\nThos. S. Beavin, Pastor\n9:30 Bible School.\n10:30 Morning Worship. ‘‘Lest\nWe Forget ”\n6:30 Epwortb League service.\nLeader—Miss lonia Roesch. Subject\n—Tbe Epwortbian and His Paper. ”\n7:30 Evening service. The Rev.\nW. F. Tomlinson, the District Super\nintendent of Platteville District, will\npreach and administer tbe Sacrament\nof the Lord’s Supper. Rev. Tomlin\nson’s subject will be ‘‘The Message\nof the National Convention of\nMethodist Men.”\nThursday 7 :30 weekly prayer meet\ning. Read Acts 3 and 4.\n8:30 Sunday School Teacher’s meet\ning.\nFENNIMORE AIDS\nELECTRIC RAILROAD\nA special election to vote upon the\nproposition of bonding in aid of the\nChicago Short Line railroad was\nheld in the village of Fennimore on\nTuesday of last week and was carried\nby a big majority, the vote being 188\nto 45. The municipalities are all\nfalling in line now. Glen Haven\nwill very likely be added to the list\nthis week.\nNotable Annual Issued by Grant Coun\nty Superintendent.\nThe Educational News Bulletin,\nissued by the state superintendent of\nschools has. in its edition of Dec. 22,\nthe following allusion to the annnal\nreport of County Supt. Brocbert,\nrecently printed at The Herald office:\n‘‘Supt. J. C. Brockert, of Grant\nCounty, has issued an annual report\nand school directory for 1918 which is\nvery comprehensive and well il\nlustratesd. A glance through this\npublication gives a good idea of the\nprogressive work that is being\ncarried on. especially among the\nrural schools of the county. The\nvarious contests, such as those in\nspelling and corn raising are given a\nprominent place in the report. A\npublication of this kind cannot help\nbut be of great value in bringing\nabout general sentiment favorable to\nconcerted action toward progress in\neducation. ”\nBURTON.\nSpecial Correspondence to the Herald.\nMr. and Mrs. Thomas Stoney and\nMr. and Mrs. Edw. Leindecker went\nby auto to Cuba City New Year’s\nday to spend the day with relatives\nthere.\nBurdean Schuelter left Sunday\nfor Sc. Paul after a few weeks visit\nwith her sister, Mrs. Henry Sehaal.\nLyle, little son of Wm. Elwell\nwas riding to school with one of the\nneighbors and in some manner fell\nfrom the buggy and broke his arm\nnear the wrist. Dr. Hartford re\nduced the fracture and he is getting\nalong nicely.\nJoseph Martin has been under the\ndoctors care the past week. He\nhas been troubled with a bad pain\nin his chest. Hope to see him\naround again soon.\nA baby daughter came to the\nJames Elwell home on New Year’s,\nday and also a daughter to the\nChas Haas home on Jan. 2nd.\nMrs. Ritmeyer, who has made\nher home with her daughter, Mrs.\nFred Bartels, died last Sunday\nmorning. Funeral services were\nheld here, Tuesday. She was 91\nyears of age.\nMrs. Sam Pauley, Hazel and\nSylvia Bossert were shopping in\nDubuque, last Monday.\nMolly Young has returned from\nChicago where she has been visiting\nfor the past few weeks.\nHenry Mink and family and Mr.\nand Mrs. George Slaught attended\nthe Eastern Star installation last\nSaturday evening.\nArthur Turner, of Dubuque,\nspent last Sunday with his parents,\nMr. and Mrs. G=jo. Turner.\nHenry Sehaal and family, Mrs.\nWm. Kratz and Martha Hutchins\nwere Sunday afternoon callers at\nHenry Mink’s.\nMrs. Morgan Reed Sr. returned\nSunday after a two weeks visit\nwith her son Elmer at Nelson.\nThe local Camp of Woodman will\nhold their installaton of officers,\nFriday evening, Jhd. 16th. An <y\nster supper will be served. Eden\nmember may invite one guest.\nMrs. Alice Reed returned home\nlast Saturday after a two weeks’\nvisit with relatives in Chicago and\nBattle Creek, Mich.\nPresbyterian Church.\nPresbyterian chnich, Jan. 11.\nSunday school 9:45. Preaching\nservices in the English language at\n10 :45.\nFarm For Sale.\nI offer for sale my farm of 100\nacres. Luca ted one mile due Suuth\nof the Lancaster court house. For\nparticulars inquire of\nJ. Allen Vincent,\nLancaster, Wis.\nRoute No. 7. 43w4*\nNotice to Taxpapers.\nI will be at the Union State bank\non and after January 2d 1914 for the\ncollection of taxes for North Lancas\nter. Frank Beetham,\n44w2* Treasurer.\nKeep a Thankful Heart.\nThe unthankful heart, like my fin\nger in the sand, discovers no mercies;\nbut let the thankful heart sweep\nthrough the day, and as the magnet\nfinds the iron, so will it find in every\nj hour some heavenly blessings; only\nthe iron in God’s sand is gold. —Henry\n\' Ward Beecher.\nCO. SUPT. BROCKERT\nIS FRIEND OF THE BOYS\nWill Assist Them in Getting the;\nShort Course\nAt The Agricultural College in Madison\nWhich Begins January 26—Ma:x.y\nWill Attend.\nCounty Superintendent Brocket\nsending out today a letter to the boys-.\nof Giant county, inviting them ts goa\nwith him to MadisGn and attend tht-\nBoys’ Short Course at the College of\nAgriculture of the University of\nconsin which begins on JaDVAiy\nand continues until January 31.\nweek will be spent in studying\noats, barley, alfalfa and otbezr aub»-\njects, and the boys will have m op\nportunity to see and hear ma:iy. in -\nteresting things connected wafcfa. shafc\ngreat institution of learning, as wall\nas to visit the new capitol fcsi d ug,\none of the finest in the United whites,\nThese short courses in\nare great aids in promoting siieatiiat:\nagriculture, and in the preeeai\nit is the man ‘who has an inde33taac&-\ning of scientific and intensive\nwho reaps tbe big results from thes\nfarm.\nSupt. Brockert. through his.county\ncorn contests, has awakened a great\ninterest among the boys o$ Grant\ncounty, aod the effort he is new mak\ning in regard to this short conrso is\none which caonot fail to produce good,\nresults. He will accompany tbe\nboys, leaviog Lancaster at aoan on,\nMonday, January 26 and will; assist;\nthem in securing room and beard and\nto arrange for their enrollment, in;\nthe work at the college. Tifrey wliU\nremain at Madison until Saturday\nmcroing, Jan. 31 returning hare- on,\nthe noon train that day. He states*\nthat the expense last year for nooEu,\nbeard and railroad fare for boys who\nwent from here, was about oth\nA number of noys have already ex\npressed their intention of going this,\nyear and others are invited to eor&~\nmunicate with Mr. Brockert in thfa\nnatter at one*?.\nROCKVILLE.\nSpecial Correspondence to the Hera!&\nMisses Bernice Dawson and Maml\nFinney, of Lancaster, spent a few\ndays last week at the Louis Wolf\nhome.\nMr. and Mrs. Roggie Horner and\nlittle son, of Dubuque, returned\nhome Saturday after a pleasant two\nweeks’ visit at the Kerkenbusb and\nHorner homes.\nToe Misses Alberta aDd Gertruda\nScanlan, of Fennimore, and Ruth\nQuick, of Park Rapids, Minn., spent\nseveral days of last week at the Up\npen a home. Miss Quick letc for\nChicago Tuesday where she will\ntake a three years’ course to be\ncome a trained nmee at Wesley*\nhospital.\nMiss Laurel Busuh returned to*\nPlatteville Sunday to resume her\nstudies at the Normal.\nHenry Uppena visited relatives*\nand friends at Cassville last week.\nMiss Leona Kitto, of Boice Prair\nie, spent a few days last week at:\nthe Geo. Shaw home.\nMaster Robbie Dawson, of Lan\ncaster, visited his Grandma, Mrs.\nHenrietta Wolf last week.\nThe property of the late Edward\nWickeDdoU, which was sold at pub\nlic auction Dec. 22, was purchased\nby Geo. Shaw and Jno. Wilkinson.\nMiss Mattie Palmer returned Sun\nday to resume her duties as teacher\nat British Hollow after spending her\nvacation at her home m Fennimore.\nMrs. Chas. White, of Buena Vista*\nis seriously ill; a trained nurse from\nDubuque is caring for her. Her\nmany friends wish her a speedy re\ncovery.\nSchool opened Monday morning\nafter a two weeks’ vacation which\nwas enjoyed by teacher and pupils.\nHowever, 9 o’clock Monday morn\ning found everyone in their old\nplace with a bright face and all re\nsolved to have a perfect record of\nattendance this vear.\nWillie Dunn is spending his wint\ner vacation here.\nFrank Vesperman returned to\nFennimore Sunday where he i% prin\ncipal of th * grades.\nMr. and Mrs. Edwin Hubbard\nhave gone to St. Paul for a visit\nwith their daughter, Mrs. Hillman..\nTbe First Baptist Church.\n10:00 o’clock Sunday SchooL\n11:00 Morning Worship.\n3:OC P. M. Preaching service at\nDyer schoolhouse.\n7:30 Evening service.\n7:30 Biole study and prayer each\nnight this week at the church.\nAll are invited.\nVOL. 71; NO, 4£', 'batch': 'whi_kenyon_ver01', 'title_normal': 'grant county herald.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85033133/1914-01-07/ed-1/seq-1.json', 'place': ['Wisconsin--Grant--Lancaster'], 'page': ''}, {'sequence': 1, 'county': ['Wood'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85033078/1914-01-08/ed-1/seq-1/', 'subject': ['Wisconsin Rapids (Wis.)--Newspapers.', 'Wisconsin--Wisconsin Rapids.--fast--(OCoLC)fst01224880'], 'city': ['Wisconsin Rapids'], 'date': '19140108', 'title': 'Wood County reporter. [volume]', 'end_year': 1923, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Description based on: Vol. 1, no. 11 (Feb. 17, 1858).', 'Publisher varies.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Grand Rapids [i.e. Wisconsin Rapids], Wis.', 'start_year': 1857, 'edition_label': '', 'publisher': '[J.N. Brundage]', 'language': ['English'], 'alt_title': ['Semi-weekly reporter'], 'lccn': 'sn85033078', 'country': 'Wisconsin', 'ocr_eng': 'A. L. FONTAINE, Publisher GRAND RAPIDS, WOOD COUNTY,\nFIRST MEETING GE\nCOUNCIL IN 1914\nMayor Delivers Special Message\nto City Fathers\nALL MEMBERS PRESENT\nThe first meeting of the city coun\ncil for the year 1914 was held last\nevening. Every member was pres\nent at roll call. The mayor started\na precedent by delivering a message\nto the council on what should be\ndone during the new year. The mes\nsage in lull will be found further\nalong in this story.\nThe Council passed a resolution\nunanimously to set aside each year\n$•"(,000 as a sinking fund toward the\nerection of a modern city hall.\nit was also decided, by a vote of\n14 to 2 (Ketchum and Whitrock\nvoting no) to pave Second street\nfrom The First National Bank to\nBaker street, including Market\nSquare, with brick and to pave Grand\nAvenue from the C. & N. W. rail\nway to the C. M. & St. P. railway\nwit h brick.\nAmong the bills allowed were a\nnumber for quarantine.\nThe Mayor’s address in full follows\nGrand Rapids, Wisconsin.\nJanuary 6, 1914.\nTo the Common Council of the City\nof Grand Rapids,\nGrand Rapids, Wisconsin.\nGentlemen:\nTh year 1913 has passed into his\ntory. Wdiile the Council has ac\ncomplished a good many permanent\nimprovements for the City of Grand\nRapids, they have also made a fail\nure of the Asphaltum Macadam pav\ning, for which 1 lay the responsibili\nty mainly to the abutting property\nowners, for signing for what they\nhave received, but the Mayor of the\nCity receives the blame for every\nbody\'s action, r;gh‘ or wrong.\nI would like to recommend the fol\nlowing for your consideration:\nEconomy.\nCurtail expenses as much as pos\nsible. Economize as much as pos\nsible, in every City Department. Do\nnot spend too much money on streets\nunless the water and sewer mains\nare already established in said street.\nPaving.\nFor quick action, to begin next\nspring, to pave Second street from\nthe corner of the First National\nBank to Geo. T. Rowland & Sous\nstore, including Market Square. Al\nso to pave Grand Avenue from the\nChicgao & Northwestern depot to\nRICH SCHOOL\nBEATS ALUMNI\nFast Basket Ball Game Friday\nNight-The Score Was 13 to\n10.\nThe School basket ball team\nwon. from Alumni Friday evening by\na score of 13 to 10.. This is the first\ntime in seven years that the trick\nhad bean turned by the high school\nteam. The Almnnilead at the end\nof the first half and it looked at that\nperiod ast though they might come\nthrough again as winners, but the\nshift In the line up off the school\nteam worked wonders and they won\nout by a margin of three points. It\nwas a close and fast game and those\nwho saw it were well repaid for at\ntending.\nBoth the short hand writers en\ngaged by the Alumni were discharged\nat the end of the first half. An ef\nfort was made to get an armless blind\nman to chalk up the Alumni score\nin the last half. After the game the\nmembers of the alumni felt about as\nhappy as a man suffering with in\nflammatory rheumatism and St. Vitus\ndance at the same time.\nThe line up of those who lost the\ngame was :\nRagan—Frd.\nWeeks —Frd.\nMohlke —C.\nNat wick —C.\nMohlke —C.\nJohnson —G.\nChristian son—G.\nThe line up of the victorious nigh\nschool was;\nStamm —Frd.\nJohnson. M. —Frd.\nHatton. —Frd.\nSmith—-C.\nBabcock—G.\nRidgnian—G.\nNat wick —G.\nIt will be noticed that each side\nshifted the men. Following the\ngame, a social was held in Witter\nhall Music was furnished by the\nSaecker orchestra and every one had\na fine time..\nThe next game in which the local\nhigh school will play will be at Stev-\nWOOD COUNTY REPORTER.\nthe Chicago, Milwaukee & St. Paul\nsuch paving to be of brick only. Con\ntracts should be let for paving as\nsoon as possible, so as to begin\ndevelopmnets in the spring. This is\nmost necessary.\nPaving Extensions.\nExtend pavingone block each way\nnorth and south from Grand avenue,\non First, Second, Third and Fourth\navenues. Also extend paving from\nour present brick paving, as follows:\nSecond street south, one block; Vine\nstreet east, one block; Oak street\neast, one block; Baker street east,\nto corner of Seventh street.\nSprinkling.\nThe city ol Grand Rapids to do\nits own sprinkling, with water or oil,\nms the City Council may decide, for\nthe particular locality, the same to\nbe charged up its pro rata to the\nabutting property owners, on the tax\nroll.\nCleaning.\nOur main streets already paved\nbe kept clean from droppings and\nrefuse. One man to he hired for each\nthe East and West side, by the job,\nfor a period of eight months of each\nyear, to be let to the lowest bidder,\nto attend to this matter.\nSewers.\nAll our new main sewers to be\nhereafter constructed, are to be not\nless than twenty-four inch pipe, and\nnot less than six feet deep, to avoid\ntrouble.\nWaterworks.\nThe water mains to be extended\nin Grand Avenue, from Seventeenth\nAvenue to Thirteenth Avenue, to en\nnble all citizens ’•©siding n Seven\nteenth Avenue to connect with City\nwater, as all their water wells are\ninsufficient to supply them with\nwater, on account of the Seventeenth\nAvenue sewer constructed last year.\nCity Hall.\nBeginning 1914. to 1918, Five thou\nsand dollars to be set aside every\nyear as a sinking fund for a City\nHall to be erected in the near future,\nand Acting City Comptroller to be\ninstructed to include said Five\nthousand dollars in the City Budget\nfor the years 1914 to 1918 inclusive.\nThis will give a sinking fund of\ntwenty-five thousand dollars for a\nCity Hall.\nens Point when they meet the Nor\nmals. The date has not been, set as\nyet.\nDeath of Mrs. Cordelia Basset\nThe many friends of Mrs. Cordelia\nBassett will be pained to learn of\nher death which occurred at her\nhome at 907 Third avenue north,\nwest side, Tuesday morning,, January\n6, at three o’clock. She was sick\nonly nine days with gall stone trou\nble, and most of her friends thought\nshe was on the road to recovery\nwhen she suddenly took worse and\ni passed away. She was bom in South\nI Haven, Mich., January 31, 1866, and\nI was forty-seven years, eleven months\n\' and twenty five days old when she\ndied. Her husband prceeeded her in\ndeath about four years ago. They\nwere married in Grand Rapids about\ntwenty-nine years ago last May. She\nleaves one sister, Mrs. E. E. Herrick\nat Nekoosa. She was a faithful and\n(efficient member of the Congrega\n| tional church in this city and in every\nI way a lovely Christian woman. She\nwill he greatly missed by her sis\nter and all neighbors and intimate\nfriends who enjoyed her acquaintance\nThe funeral service will take place\nThursday afternoon at two o\'clock,\nfrom the house and at two-thirty\n\' from the Congregational church, Rev.\nR. J. Locke officiating. Burial will\ntake place in Forest Hill cemetery.\nDENIES SUICIDE STORY\nIn an interview with Otto Hemschel\nfather of the girl who was said to\nhave attempted to commit suicide\nlast Saturday night. Mr. Hens.hel\nstated to a Reporter representative\nthat he had never beaten the girl,\nbut admitted that about a year ago,\nhe had slapped each of his two chil\ndren, but that this was the only\ntime he had ever punished them. He\nfurther said that he did not raise\na row over the girl’s going to a\npicture show, but he did a.sk her\nif she had gone with a certain per\nson, whom he had forbidden her to\nassociate with and that site denied\ngoing with this person. He then told\nI her that if she was telling a lie to\nlook out. He said the girl was ner\nvous and easily excited and that the\ncity health officer had recommended\nj that she\'drop some of her studies in\n[school because of her nervous con-\nA\nEntered June 12, 1903, at Grand Rapids, Wisconsin, as second-class matter, under act of congress of March 3, 1879.\ndition.\nHe said the girl left the house on\nSaturday evening following his ques\ntioning of her going with the pre\nson objected to. After finding the\ngirl, he stated that she said that she\ndid not know- what shewas doing.\nMr. Hensehel said that his children\nhad no reason to be afraid of him\nacd that it was because of her ner\nvous condition, that Elizabeth wan\ndered down to the river.\nThe police officer bears out the\nstatement that the girl was sorry\nfor what she did. The officer states\nthat hte girl made this remark: ‘‘Pa,\nI am sorry. I did not realize,.- what I\nwas doing.”\nPARCELS OF GAME\nIIISTBE MARKED\nLocal Office Receives Orders\nFrom Postmaster General\nDISTANCE ALSO RESTRICTED\nFresh Game May Not be Mailed for\nLocalities Further Away Than\nthe Second Postal Zone.\nTo prevent the shipping by parcel\npost of game birds out of season the\npost office department by a recent\nruling has debarred the shipping of\ngame of any type except when the\nparcels are plainly marked on the\noutside as to the actual nature of\nthe contents.\nFor reasons that will be obvious\nto the reader no parcels containing\nfresh game will be accepted for trans\nmission beyond the second postal\nzone. Through the courtesy of Post\nmaster Nash, The Reporter has been\nfurnished with a copy of the recently\nreceived order from the postmaster\ngeneral’s office, bearing on the mat\nter. It is as follows.:\n“Postmasters shall not accept for\nmailing any parcel containing the\ndead bodies or parts thereof, of any\nwild animals or birds which have\nbeen killed or are offered for ship\nment in violation of the state, terri\ntory or district in which the same\nare killed or offered for shipment\nProvided however that the foregoing\nshall not be construed to prevent the\nacceptance for mailing of any dead,\nanimals or birds killed during the\nseason when the same shall be law\nfully captured and the export is not\nprohibited by the law in the state\nterritory or district in which the\nsame are captured and killed.\n“Parcels containing the dead bod\nies of any game birds or pants there\nof including furs, skins, skulls or\nmeat ctf any game or wild birds\nor parts thereof including the skins\nand plumage may be admitted to the\nmails only when plainly marked on\nthe outside to show the actual na\nture of the contents and the name\nand the address of the sender or\nShipper. Provided, however, that no\nparcel containing fresh game in any\nform he accepted for transmission be\nyond the second zone.\n“Postmasters desiring additional in\nformation on this subject should\naddress the Third Assistant Post\nmaster General, Decision of Classifi\ncation.\n“Note: —Sections 242, 243 and 244,\nAct of March 4,19 Oft, 35 Stat., 113.7\nstate commerce the dead bodies or\nparts thereof, of any game animals\nor wild birds which have been killed\nor shipped in violation of the laws\nof the state, territory or district in\nwhich the same were killed or from\nwhich they were shipped.”\nICE MACHINE CO.\nDIOECIOUS MEET\nNeighboring City Wants Plant\nMoney Ready\nA meeting of the directors of the\nRoyal Ice Machine Company was\nheld at the Citizens National Bank\nFriday evening. A call was issued\nfor a levy of ten per cent of the\nsooth. The directors voted to fin\nish up five machines as soon as pos\nsible. Mr. Mitche’l, of the exten\nsion division of the State University,\nattended the meeting and spoke very\nhighly of the ice machine.\nSome of the citizens of a ne;ghbcr\ning city want to have the plant that\nmanufactures this ice machine locat\ned in their city. They have gone\nso far as to say that they will back\nit financially. Its an infant industry\njust now, but the wise people in the\nneighboring city see the possibilities\nin it and are making a decided ef\nfort to obtain this industry from\nGrand Rapids.\nENTERTAINS\nMrs. E. M. Hayes entertained at\na Daisy Chain party at her home on\nFirst avenue south, Monday evening.\nThe evening was pleasantly spent in\nplaying Rummy. First honors were\nawarded to Mrs. Dan Noltner. De\nlicious refreshments were served and\na delightful evening reported by ail\npresent.\nWISCONSIN, THURSDAY, JANUARY 8, 1914.\nFARMERS\' COURSE\nTO BE HELD HERE\nBig Gathering of Farmers Ex\npected Next Week-Prizes\nWill be Given.\nThe Farmers Course under the aus\npices of the Grand Rapids Bankers,\nWood County Training School, com\nmittee of Wood County Farmers and\nCollege of Agriculture will be held\nin the Bijou theatre on Wednesday,\nThursday and Friday, January 14. 15\nand 16. All the sessions of the\ncourse will be held at the Bijou, ex\ncept the evening session on Thurs\nday, which will be held at Daly’s\ntheatre.\nThe farmers course is free to ev\neryone and is offered only for the\ngood it may do in helping the far\nmers to unite for the common wel\nfare and in studying problems wiht\nwhich they all must grapple.\nThe best authorities in the state\nwho may he relied upon to conscient.\nionsly serve the public interest will\nhave places on the program.\nThose under whose auspices the\ncourse is held want everyone to at\ntend this course and want to make\nit the greatest farmers meeting ever\nheld in Grand Rapids.\nThe farmers are urged to bring in\nspecimens of potatoes, corn and oth\ner farm produce. On Friday after\nnoon a prize of $5 will be given for\nthe best colt exhibited, provided that\nthree or more colts are shown,. A\nfew good horses are also desired for\nexhibition. This is a very good time\nto advertise what you have. Tell\nyour neighbors about this course\nand be sure and come to it yourself.\nThe program for the three days\nis as follows;\nProgram:\nWednesday, January 14.\nSoils and Potatoes.\nv\nId a. m. Standard Commercial\nVarieties of Potatoes —Prof. J. G.\nMilward.\nThe Improvement of Wood) County\nSoils—H. W. Ullsperger.\n1:30 p. m. Community Effort for\nPotato Improvement—Prof. J. G. Mil\nward.\nGreen Manuring on Sandy Soils —\nH. W. Ullsperger.\n8 p. m. Social Life in Rural Com\nmunities —Prof. C. J. Galpin.\nThursday, January 15.\nFarm Crops.\n10 am. Essentials for Success\nwith Alfalfa —Prof. R. A. Moore.\nJudging of Exhibits.\n1:30 p. m. How to Handle the\nCorn Crop—Prof. R. A. Moore.\nAnnual Meeting of County Order\nWisconsin Experiment Association —\nOtto jl. Leu, S-ec.\n8 p. m., Daly’s theatre. Rural Life\nin Scotland (Illustrated) —Prof. A. S.\nAlexander.\nFriday, January 16.\nHorses and Cattle.\n10 a. m. My Good Old Horse —\nProf. A. S. Alexander.\nLeaks in the Dairy Business —Prof.\nG. C. Humphrey.\nI:3d p. m. Organized Efforts for\nDairy Cattle Improvement—Prof. G.\nC. Humphrey.\nJudging of Exhibits in Colt Show\n—Prof. Humphrey, Mr. Baker.\nJohn Liebe of Route 12 has gener\nously offered the following prizes:\nFor the best display of prepared\ndishes of potatoes, cooked, fried, sal\nads, etc.\nIst prize—5 bu. potatoes.\n2nd prize—3 bu. Potatoes.\n3rd prize—3 bu. potatoes.\nFor the best exhibit of potatoes,\n2 cords of wood.\nO. J. Leu offers a trio of Barred\nPlymouth Rocks for the best display\nof Golden Glow Corn.\nSIT WHILE\nHUNTING RABBITS\nGeorge Loock Shot in Right Leg\nSunday Afternoon\nGeorge Leock of this city was\nshot in the leg, ankle and foot while\nrabbit hunting near Seven mile creek\non Sunday afternoon. A mystery\nsurrounds the affair as it is not\nknown who did the shooting. It is\nthought that whoever fired the\nshot, was either trying to kill Mr.\nLoock’s dog or mistook it for a\nTa\'bbit. The dog was close to Mr.\nLoock\'s right leg when the shot was\nfired. The dog was killed and part\nof the charge entered the right leg,\nankle and foot of Loock. He was\nbrought to this city and received\nmedical attention. The wounds while\nnot serious are painful and will prob\nably keep Mr. Loock confined to the\nhouse a week.\nFaxes of Town of Grand Rapids\nare new payable at my office, room\nNo. 5, old Wood County National\nBank block, opposite post office up\nstairs. Itw\nC. M. Renne,\nTown Treasurer\nYOUKG GIRL AT\nTEMPTS SUICIDE\nWater too Shallow. Changes\nWind. Found In Home of\nFriend by Officers.\nThe attempt of Elizabeth Hensehel,\nfifteen years old, to commit suicide,\ncaused a great deal of excitement in\nthe fourth ward Saturday evening.\nMiss Hensehel left home about six\no’clock Saturday evening, because\nshe fea-ed her father. She had stated\nfollowing a beating he had given her\non a previous occasion, that if he\never beat her again she would kill\nherself. She went to the river and\nattempted to get into deep water,\nbut was unsuccessful and finally gave\nit up and wandered to the house of\na friend where she was taken care\nof and afterward found by the offi\ncers.\nAccording to the story told by the\ngirl and the officers, she intended\nto drown herself, hut because of the\nshallow water and ice she did not\nsucceed. It is said that several\nweeks ago her father gave her a\nsevere beating and she made the\nstatement that she would kill her\nself if he ever beat her again. Sat\nurday evening Hensehel learned that\nshe had been to a moving picture\nshow and began to raise a row. The\ngirl fled from the house. Officer\nBanter and Undersheriff Bluett were\nsent for and took up the hunt for the\nmissing girl. She was traced to the\nriver and the place where she| start\ned out on the ice was discovered\nSearch along the hank showed where\nshe had come back to shore. The of\nficers agreed that she had probably\nbeen unable to get to deep water\nand had returned to shore and was\nin the home of some friend. A sys\ntematic search of all the houses in\nthe neighborhood was commenced.\nThe officers were not saitsfied with\nthe verbal denial of the people but\ninsisted upon searching the houses.\nThe girl was finally found at the\nhome of Emil Toeple on Burt street.\nMr. and Mrs. Toeple took the girl\nin and had put her to bed under\nwarm blankets. It was after eleven\no’clock before the sdhrch was over.\nThe father finally arrived and got\nclothing for the girl and took her\nback to her home.\nDISCUSS WORK\nOF CIRCUIT COURT\nSay Double Trial System Should\nBe Abolished.\nThe circuit judges of the state\nhave been in session at Madison,\nwith the committee of lawyers ap\npointed at the last session of the\nlegislature to investigate court sys\ntems.\nThat the double trial system in\nprobate matter® is a drag on the\ncourts and should be abolished, was\none of the decisions reached. Judge\nA. H. Reid of Wausau and others\ndeclared there should be either an\nappeal from county court to .supreme\ncourt or else, when an issue is. join\ned in probate court, that the matter\nbe certified to circuit court for\ntrial.\nThere w r as considerable discussion\nover the proposed abolition of the\noffice of justice of the peace, but\nno decision was reached.\nThis was the first meeting of the\nlegislative committee since appoint\nment. It will report to the next leg\nislature the result of the investiga\ntion and submit a plan that appears\nto best suit the state needs and\nmeet with the approval of the state\njudiciary.\nMonday evening the circuit judges\nwere entertained at a banquet at\nwhich Judge W. J. Turner of Milwau\nkee, spoke of the divorce evil. He\nsaid that probably 5d per cent of the\ndivorces in Milwaukee county might\nhe avoided if anew system of grant\ning divorces was devised. Judge\nTurner believes that the legislature\nshould pass a law creating the posi\ntion of divorce lawyer to be appoint\ned by the circuit judge and no divorc\naction could be brought, except bj\nthis mam. “I think,’’ said Judge\nTurner, “that there are a large\nnumber of divorces brought b> law\nvers’ runners, who have brought out\nan evil as great as the ambulance\nchaser in personal injury cases. Then\ntoo. divorced women often urge wo\nmen who have had a quarrel to get\na lawyer and get a divorce. These\nremarks were made in refernece to\nMilwaukee county cases. Judge Turn\ner said he did not believe that the\nsame conditions prevailed in every\ncounty of the state.\nENDORSES SENATOR HATTON\nThe Eagle-Star is glad to note that\nWilliam H. Hatton of New London,\nis an announced candidate for the\nRepublican gubernatorial nomination.\nWe have contended for months that\nhe was the key to the situation for\nthe Republicans of Wisconsin. No\nother man, so far mentioned, com\nbines all the qualities necessary in\na candidate for the chief executive\nship, as he does. The Republicans of\nWisconsin have before them the big\ngest state fight of two decades. The\nstate situation, a Democratic presi\ndent in the chair, favor the opposi\ntion and it will need all the resources\nof a united Republican party to carry\nthe next state election. Mr. Hatton\nwill unite the parties as no other\nman can and is an ideal man for\nthe Then why not do\nthe logical thing. Republicans, and\nnominate him?—Marinette Eagle-Star\nMOTOR NUMBERS\nCO OUTOF STILE\nNew Number Plates of a Better\nDesign\nMOTORIST TO BE GIVEN TIME\nState is Unable to Provide Applicants\nWith License Numbers —Sorpe\nNew Numbers Here.\nRaus mat the 1913 automobile num\nbers. They went out of date at mid\nnight Wednesday, That was the last\nsecond that the 1913 licenses were\ngood. A few Grand Rapids automo\nbile owners already have their new\nnumbers. Those who have declare\nthat they are an improvement over\nthe 1913 numbers, because they are\nof better make-up and are more dis\ntinguishable.\nThe 1914 number plates are made\nfrom one piece of sheet steel, the\nnumber being pressed into relief in\nstead of tacked on as they wqre\nin 1913. The background of the num\nber plate is ena.maled white and the\nnumbers are enameled black, conse\nquently the Wisconsin number plate\nhave about all the contrast colors\nwill permit.\nThe new numbers are slightly\nwider than the §ld onesi, and the fact\nthat they are pressed from the steel\nplate instead of tacked on to it will\nmake it easier for motorists to keep\nt v -cl 0 ? -\'V fl .ip e&jbi q s-ha l^ ■\nNo one will be arrested: if he de\nports himself on country roads or\ncity streets with the 1913 number\nplate attached. The state department\nis so swamped with applications for\nnew numbers that it is impossible to\nissue new numbers fast enough. The\nfact that there are more automobiles\nin service this winter than ever be\nfore has only served to increase the\nrush of applicants.\nThe law, leisurely interpreted, give\nmotorists time enough to get their\nnumbers and run with the old ones\non until they do, because the state\nknows that before very much time\nelapses new numbers will be procur\ned. So apply for new numbers and\ndrive with the old ones until the\nstate sends you the new black and\nwhit© figures.\nTWO APPOINTED\nOK COUNTY JUDGE\nSoldier.s Relief Committee Now\nComplete Again.\nThe vacancies on the Soldiers’\nRelief Committee have been filled\nby County Judge - W. J. Conway, who\nhas appointed Phillip F. Bean of the\ntown of Hansen and C. R. Olin of\nMarshfield, who with Patrick Mul\nroy cf this city\' will compose the\ncommittee. Mr. Mulroy is the sec\nretary of the committee. The com\nmittee is allowed the use of one\ntenth of one per cent of the taxes\nfor use in relieving old soldiers\nwho are in straightened circum\nstances. During the past year, ac\ncording to Secretary Mulroy’s report\nthere were fourteen cases in which\naid was given, by his committee.\nThe money used in this work runs\nbetween S4OO and SSOO a year.\nSERIOUSLY HURT\nIt is reported that John Strike, of\nthis city, who is at work at Stevens\nPoint, met with an accident in which\nhe fell and fractured his skull and\nis dangerously sick. His family in\nthis city reside in the First National\nBank building, over the barber shop\noperated by Robert Solchenberger.\nThe particulars connected with the ac\ncident are not known to the writer\nas it occurred some time today. A\ntelephone message brought the report\nMEMBERS TAKE NOTICE\nJoint installation of the G. A. R.\nand Womens Relief Corps will take\nplace Thursday afternoon at the G.\nA. R. hall. All mem-beers of both\norders are cordially invited to be\npresent.\nBy Order of Secretary.\nINTEREST TAKEN\nIN HOSPITAL\nMany Gifts Received by Insti\ntution Since October\nREPORT IS INTERESTING\nSince October 1, 1913, Riverview\nHospital acknowledges the following\ngifts:\nMoney from—\nDr. J. J. Looze,\nDr. D. Waters,\nDr. Ridgman,\nDr. Pomainville,\nDr. Merrill,\nE. W. Ellis Lumber Cos.,\nConsolidated Water Power & Paper\nCos.,\nNekoosa-Edwards Paper Cos.,\nGrand Rapids Milling Company,\nI. P. Witter,\nGeo. W. Mead,\nMrs. R. J. Mott.\nOther gifts as follows:\nMrs. MacKinnon; 3 flannel gowns,\nbath robe, vest, union suit, kimona,\n2 glasses jelly, vegetables.\nMrs. E. W. Ellis; 2 bu. potatoes,\n1 bbl. apples, vegetables, flowers,\nmilk, cream, magazine stand, parsley\nplant.\nMrs. Rumsey; old\' linen.\nMrs. Emmes; vegetables.\nMrs. H. Demits, vegetables, 4\nglasses jelly, parsley plant.\nMrs. Dorney; 6 glasses jelly, 1\nqt. grape juice, jar apple butter.\nMrs. O’Day; chicken, 3 qts. fruit,\n3 glasses jelly.\nWest Side Congregational Society:\nMrs. W. Jones; old linen, vege\ntables, 5 glasses jelly, 4 qts. fruit,\ncatsup.\nMrs. W. A. Getts; old linen, 1\npt. fruit, 1 glass jelly.\nMrs. McMillan; 2 qts. pickled\npeaches, 3 glasses jelly, 3 qt®.\nfruit, oid linen.\nOtto’s Pharmacy; 2 qts. crushed\nfruit.\nMrs. C. E. Kruger; 1 quart fruit.\nMrs. Luther; 1 pint fruit.\nMrs. Ira Bassett; salt and pepper\nshakers, old linen, 3 glasses jelly.\nMm. Sam Church; 2 glasses jelly.\nMrs. Atwood; 1 glass jelly.\nMrs. Kinister; 1 quart jelly, 4\nglasses jelly.\nMrs. F. E. Kellner; 3 glasses jellj.\nMrsi. Denis; 2 glasses jelly.\nMrs. F. Bossert; 2 bath towels, old\nlinen.\nMrs. Boorman; 1 pint jelly, 1 glass\njelly. f\nEast Side Cong. Society; 1 can\ncorn, 7 glasses jelly, 11 qts. fruit,\n1 qt. salad dressing.\nMrs. Rogers Mott; 3 call bells,\nbasket grapes.\nMrs. I. P. Witter; 1 qt. fruit, bas\nket fruit, olives, 2 cans beans.\nMrs. F. Garrison; IV 2 qts. tomatoes\npop corn.\nMrs. E. Pease; 3 bu. potatoes.\nMrs. Chas. Kellogg, 3 glasses jelly.\nBOUND OVER TO\nKEEPTUE PEACE\nAntiquated Weapons Found by\nOfficer\nFred Pagel was taken before Judge\nJohn Roberts on a peace warrant\nwhich Pagel was charged with threat\nening to assault and commit bodily\nharm and with pointing a revolver\nat the complainant. Pagel was plac\ned under bonds of $l6O to keep the\npeace for six months. Officer Pan ter\nwent to Pagel’s home and demanded\nthe revolver. By the time the offi\ncer got through he had a collection\nof three of the most interesting\n“gats” that have come to light in\nthis community in years. One gun\nwas a short regular British Bull Dog\nrevolver, another was a double bar\nreled derringer of about 44 caliber\nand the last was a four barreled\nbrass muzzle loading outfit that must\nhave been handed down from the\nearly German wars. Two of the guns\nwere found loaded. The weapons\nhave been turned over to the chief\nof police and will no doubt decorate\nthe cumsity room at the cooler.\nANNOUCEMENT\nI have recently installed in my\ndental office a modern Nitrous Oxide\nOxygen Anhlgesic Apparatus and can\nassure the people that with this ap\nparatus all kinds of heretofore pain\nful dental operations can be done\nabsolutely with no pain. You are in\na state or condition what is medic\nally called Analgesia. Your eyes are\nopen, you can talk and answer ques\ntions —to sum up the whole, you are\nfully conscious in analgesia, but ex\nperience no pain from dental pro\ncedures.\nVOLUME 63. NUMBER 3.\n, 3 bottles relish.\nMrs. Marvin; 2 sheets, 2 pr. pil\nlow cases, 3 books, 3 glasses jelly.\nMrs. Ina Johnson; basket fruit and\nnuts, 1 glass jelly, can pickles.\nMrs. W. E. Nash; turkey.\nMrs. M. O. Potter; 2 qts. fruit,\nold linen, 1 qt. apple bntter.\nRev. and Mrs. Fliedner; 3 pictures,\n2 bottles fruit juice, 2 cans fruit,\nchicken, 3 jars pickles.\nMrs. Worlund; 1 quart milk.\nMrs. Jennie Taylor; 6 silver knives\nand forks.\nMrs. T. E.Nasb; 9 books.\nGleue Biros.; 2 pair slippers for\noperating room.\nMrs. D. Waters, 1 pt. grape juice.\nMrs. Quinnel; 1 qt. fruit.\nMrs. Kibitsky; glass jelly.\nMrs. Woodell; 2 glasses jelly.\nMrs. D. J. Arp in; wardrobe, 3\nchairs, bedspread, 2 pillows, 1 pair\nwoo! blankets, old linen, picture, 2\npair pillow cases.\nMrs. Elizabeth Daly and Mrs. M.\nPomainville; commode.\nMrs. McPailand and Mrs. Riley; 1\npair curtains.\nMrs. Kenyon, ti wash cloths.\nMrs. N. Robinson; 1 pair pillow\ncases.\nMrs. Gunther; 2 chickens, sausage,\n2 pumpkins.\nMrs. Vollert; 2 pumpkins, squash.\nM. E. Society; 6 draw sheets, 6\nsheets, 1 bedside table, window shade\nword robe.\nSt. Katherines Guild; 8% qts. fruit,\n1 qt. marmalade, 15 glasses jelly, 1\ncan peas.\nMiss J*ne \\ gliu#.- jelly, I\npt. fruit.\nMiss Mulroy; 2 qts. jelly.\nMrs. Berkey, turkey.\nMiss Barbara Daly; 2 glasses jelly,\n1 quart peaches, honey, old linen,\nchild’s bedroom slippers.\nMrs. Cleveland; 1 pair pillow cases\nMaster Brace Fisher; turkey.\nMrs. N. E. Emmons; 6 glasses jelly\nold linen.\nMrs. S. Primeau; 1 pr. pillow cases\nCongregational Church Sunday school\nMrs. C. C. Hayward’s class; 10\ntowels, 3 bath towels.\nMiss B. Eggert’s and Miss Fqn\ntaine’is class; 24 bars toilet soap.\nMrs. Gardner’s class; 0 glasses of\njelly, 1 quart fruit.\nMr. Mead’s class; 2 disk cloths, 6\nbath towels, 16 bars toilet soap.\nMiss Hasbrouck’s class; cake, cook\nies, cranberries, chicken, bananas,\nnuts, 1 quart fruit, game.\nDuring these three months 26 pa\ntients have been received.\nElizabeth Wright,\nSecretary.\nHas there ever existed a person\nwho willingly went to a dentist and\nwho enjoyed the hour? Is at not a\nfact that a toothache caused by the\ndecayed tooth was the probable sole\nreason of his going at all? Analgesia\nis here to stay and we can truth\nfully say for the first time that pain\nless dentistry is here to stay. Will\nbe pleased to explain and show to\nthose interested the Ga<s-Oxygen Ap\nparatus. 1 take pleasure in trying\nto keep pace with modern dentistry\nof the new year.\nGEO. R, HOUSTON,\nDentist,\nTWICE FOUND OF\nffIISSINC HM\nCap and One Mitten of Frank\nWockocki Found m River\nThe finding on Tuesday of a mit\nten and cap on the pond at Port\nEdwards started wild rumor about\nthat the body of Frank Wockocki,\nwho disappeared on Dec. -0, had\nbeen found. The mitten and cap\nwere identified as belonging to Wo\nckocki. This bears out, somewhat,\nthe theory that has been held by\nsome of Wockocki\'s friends, that the\nmissing man had met with foul play.\nJOINS FEDERAL RESERVE\nAt a meeting of the directors of\nthe First National Bank, of this city\nTuesday evening, the board decided\nto become a member of the Federal\nReserve association.\nThe First National 3s the first\nbank in Central Wisconsin to adopt/\nthe new currency system and it is\nexpected that this membership will\nenable the bank to still better care\nfor its customers.', 'batch': 'whi_carrie_ver01', 'title_normal': 'wood county reporter.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85033078/1914-01-08/ed-1/seq-1.json', 'place': ['Wisconsin--Wood--Wisconsin Rapids'], 'page': ''}, {'sequence': 1, 'county': ['Manitowoc'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85033139/1914-01-08/ed-1/seq-1/', 'subject': ['Manitowoc (Wis.)--Newspapers.', 'Wisconsin--Manitowoc.--fast--(OCoLC)fst01225415'], 'city': ['Manitowoc'], 'date': '19140108', 'title': 'The Manitowoc pilot. [volume]', 'end_year': 1932, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Publisher varies.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Manitowoc, Wis.', 'start_year': 1859, 'edition_label': '', 'publisher': 'Jeremiah Crowley', 'language': ['English'], 'alt_title': [], 'lccn': 'sn85033139', 'country': 'Wisconsin', 'ocr_eng': 'VOLUME LV.\n)| COURT OPENS JANUARY 13.\n\\j\nThe January term of circuit court\n\'ill open here next Tuesday morning,\n\'here are on the calendar fifty-two\nises, four criminal cases, twenty-eight\niry cases and twenty court cases. The\nirors are summoned to appear on\n/ednesday, January 14, at 2 o’clock\n.M. The first day petitions for na\niralizatian will be acted upon. Fob\n\'wing are the cases noted for trial:\nCriminal Cases.\nhe State of Wisconsin, vs.\nThe Wisconsin Pea Canners Com\npany, a corporation,\nhe Stale of Wisconsin, vs.\nReinhardt Kroening.\n\'he Slate of- Wisconsin, vs.\nOliver Mott (Bastardy),\n’he City of Manitowoc, vs.\nFrank J. Zeman.\nViolation of Ordinance Regulating\nthe hours of Business of Saloons.\nFact For Jury.\nHilbert F. Price and Louis E. Lyon )\nco-partners doing husines under\nthe firm name and style of Puritan\nManufacturing Cos. vs.\nPierre Virlee Company, a corpoiation.\nStephen Stephenson vs.\nJohn E. OTlearn.\nFrank Reif vs. William Fehring\nS. J. Clark Publishing Cos. vs.\nHengy Oeslreich.\nLouis Franzmeier, vs.\nGeorge Braasch\nWilliam M. Willinger, Administrator\nof the estate of Joseph Mlada, de\nceased, and Emil Cizek vs.\nJohn Folifka.\nJohn E. Rowlands, vs.\nRebecca A^Shoyer.\nJohn E. Rowlands, vs. Rebecca A.\nShoyer, L. J. Nash etal Garnishees.\nJ. M. Duecker Hardware Cos., vs.\nNathan Burgdorf.\nIn the Matter of the estate of Amelia\nWallschlaeger, Deceased.\nSlate Ex Rel R. P. Hamilton, et. al.\nvs. Robert Schubert, et al.\nnJ. Jebavy, Administrator of the\nestate of Raymond Jebavy, De\nceased, vs.\nSchuetle Cement Construction Com\npany, a corporation.\nThe Village of Reedsville. a municipal\ncorporation, vs.\nCharles F. Maertz and Fred A. Fred\nrich.\nHenry Goeres, vs. C. U. Simon.\nErnest Miller,* vs.\nHellfrisch.\nEmil Klose vs.\nAluminum Goods Manufacturing Com\npany, a corporation.\nHenry Goeres vs, C. H. Simon.\nSol. G. Pelkey, vs.\nMathias Koch and John Koch.\nKriwanek Brothers Company vs.\nOhio Millers Mutual Fire Insurance\nCompany.\nKriwanek Brothers Company vs.\nUnited American Fire insurance Com\npany.\nLouis Mater, ‘.vs.\nValders Lime & Stone Company, and\nLudwig Kautzer.\nAdolph Klann, et al vs.\nRockland Drainage District No. 1.\nJoseph Toucial et al, vs.\nRockland Drainage District No. 1J\nWencel Tinor, Jr., et al. vs.\nRockland Drainage District No. I.\nRichard Kiel, as Trustee in Bankrupt\ncy of Hugo Lindner and Walter\nLindner, Bankrupt. vs.\nMichael Wagner.\nEmanuel Krejci, vs.\nEstate of Mary Krejci, Deceased.\nDenis Ryan, vs. Union Lime Company.\nMike Musial vs. Steve Zendala.\nFact for Court.\nMinnie Ott, vs. Henry A. Ott.\nStephen P. Stephenson, vs.\nJohn E. O’Hearn.\nMargaret Meehan, vs.\nThomas Meehan.\nAnna Spann, vs. August Spann.\nMary Tadych, vs. John Tadych.\nWilliam Neuser, vs.\nFranclsca Neuser.\nEdward Junker, vs. Hugo Groelle.\nJohn Buckley, vs.\nChristina A. Stout, et al.\nDefault.\nH. C. Wilke, vs. •\nThe Unknown Successors and Assigns\nof the Two Rivers Manufacturing\nCompany, and all Persons whom it\nmay Concern.\nDefault.\nJames Sbeahan, vs.\nBenjamin W. Porter.\nDefault.\nBertha Gruetzmacher, vs.\nWilliam Gruetzmacher, ot al.\nDefault.\nTheresa Vollendorf, vs.\nJohn Kuhl, ot al.\nDefault.\nFred J. Schnorr, vs.\nThe Unknown Successors and Assigns\nof the Two Rivers Manufacturing\nCompany, and all Persons whom it\nmay Concern.\nDefault.\nDella Hudson, vs. Charles F. Hudson.\nDefault.\nClara Van Bremrrer, vs.\nJames Van Bremmer.\nDefault.\nWilliam G. Luepa, vs.\nJames G. Donnelly, et al.\nDefault.\nFranz Kraus and Elizabeth Kraus,\nvs. Joseph Kraus, et. al.\nDefault.\nMinnie Fokett, vs. Louis Fokett.\nDefault.\nAdolph Belinske vs. Ella Jackson.\nDefault.\nWilliam F. Christel, vs.\nCharles Nelson.\nm IBtoilfltewrjc Pilot.\nC ,TY COUNCIL NOTES.\nThe council meet in regular session\nMonday evening. All members were\npresent.\nThe bridge committee recommended\nthat all bids for lengthening the spans\nof Bth street bridge be rejected and\nthat at the\' April election the following\nthree questions be submitted to the\npeople; new bridge, rebuilding present\nbridge and no change. This report\nwas adopted. It is believed that if no\nchange is decided upon the war depart\nment will be urged to condemn the\npresent bridge as an obstruction to\nnavigation.\nPlumb reported orally for the elec\ntric committee that the city assumed\npossession of the electric light plant\nlast Friday, January 2nd; that the ap.\npraiser from Madison had agreed with\nthe company and committee on the val\nue of supplies and extensions made\nsince January 1, 1913, at SBSOO, and\nseveral smaller details. The electric\nplant is now a municipal utility owned\nand operated by the city, and tempor\narily managed by the electric commit\ntee of the city council, composed of\nRalph Plumb, Charles Frazier and\nMartin Georgenson, who with the at\ntorney conducted all the negotiations\nwith Mr. John Schuette for closing\nthe transfer. They report that all\ndealing with Mr. Schuette was pleas\nant, he meeting them more than half\nway on all open points. The total cost\nwas $146,000. Bonds to cover this,\nwhich the company will take, are be\ning printed.\nAn ordinance was introduced prohi\nbiting, except in certain specified cas\nes, the blowing of boiler Hues of steam\nships in the harbor. Jt was referred\nto the judiciary committee.\nThe sexton, street commissioner,\nhealth officer, visiting nurse and police\nchief all had annual or quarterly re\nports on file. The chief’s report of\narrests was classified every way possi\nble and showed that in 1913 about 630\nCaucasians lone nigger were\narrested in this city. The chief wants\na motorcycle to make more certain the\nhaling to justice of the motor speed\nfiends. The police committee will re\nport on this. He also expressed his\nthanks to everyone except the Daily\nNews.\nThe mayor has an idea that it would\nbe a good plan to buy the lot aAolnirg\nthe Franklin street fire station, evi\ndently having a future city hail in\nview. It excited some debate. Thori\nson is against the hall idea, / Plumb\nagainst the site. The finance commit\ntee will get a price on tho lot.\nThe Judicairy committee will get a\nprice, if possible, on the Vilas lot, be\ntween the stand pipe and the Schuette\nresidence. This caused more airing of\nideas. Tho mayor thinks the railroad\nbridges will some day be ordered re\nmoved.\nThe fire committee recently put pav\ning brick floors in the horse stalls at\nthe north side station where 5 of the 7\nhorses are kept. Schroeder, Lippen\nand Scherer made a vigorous attack on\nthis scheme claiming it lames the\nhorses. Thorison and chief Kratz up\nheld the other side. It gotquite warm\nand the mayor had to spread the salve.\nThorison says it saves lumber and the\nchief’s big point was that it makes the\nsleeping quarters of his men more san\nitary.\nAbout once in two months some al\nderman questions the Jagodzinsky per\nsonal injury claim which is allowed at\nevery meeting. Bigel called for an\nexplanation this time. The city is\npaying Jagodzinsky the compensation\nact rate as ordered, and must continue\nto do so unless the man becomes able\nto work again. He is (14 years of age\nand broke a leg badly in the municipal\ngravel pit in July, 1911.\nA resolution of condolence upon the\ndeath of alderman Rugowski’s father\nwas adopted.\nDIED\nGertrude Hanson, the six-year-old\ndaughter of Mr. and Mrs. Edgar Han\nson, 8.52 North Fourteenth street, died\nFriday of diphtheria. The funeral\ntook place Saturday afternoon.\nThis is the second death in the fam\nily in two weeks, another girl, aged 5\nyears, having died of the same disease.\nMathias Rugowski an old resident of\nthis city, died Monday. He was born\nin Germany and came to this city in\n1872, where he had since resided. Uc\nleaves a wife and eleven children to\nmourn his death. The funeral was\nheld this morning from St. Boniface\nchurch.\nMonday night Andres Hand!, a well\nknown resident of this city, aged 75\nyears, dropped dead on Washington\nstreet on his way home from an install\nation of olllcers at the St. Boniface\nhall. The cause of his death was\nhearf trouble. He has been janitor\nof the Tlh ward school for- several\nyears. For twelve years he served\nas vice-president of the S‘.. Boniface\nCatholic society and Monday nigiu, was\nre-elected. He leaves a wife and large\nfaintly of grown-up children. The\nfuneral will be held tomorrow morning\nfrom St. Boniface church.\nITEMS FROM THE PILOT FILES.\n‘FIFTY YEARS AGO.\nCold Weather The coldest\nweather experienced by us for many\nyears commenced on Now Year’s day,\nand lasted for several days—the ther\nmometer ranging thirty and thirty\nfive degrees below zero. Business was\nentirely suspended in this town during\nFriday, Saturday and Monday—no oue\nbeing able to be out doors any length\nof time. The material in our office\nwas frozen together so that the hands\ncould not touch the type or work the\npress, which will account for the ab\nsence of any paper last week. We\nwere without mail an entire week.\nThe cold weather extended through\nout the country and we hear of many\ncases of suffering on the railroads and\nother thoroughfares.\nEffects of The Cold—We notice\nby our exchanges that throughout the\nwhole State the severity of the weath\ner was extremely felt, and in many\nplaces we hear of persons being badly\nfrozen—in a few instances resulting in\nloss of life. In this section we have\nheard of but few sufferers. One un\nfortunate fellow, residing in Brown\ncounty, had both his feet frozen so\nbadly that it was at first supposed he\ncould not live, but through the skill\nful efforts of Dr. Balcom, ho is in k\nfair way to recover, though amputation\nof one of the limbs was found to be\nnecessary.\nA Large Establishment — Mr.\nWilliam liabr, the well known Brewer\nhas just completed a very large estab\nlishment for the manufacture of lager\nbeer, and at his invitation many of our\ncitizens visited his cellar on Saturday\nlast. The principal cellar is 75 by 54\nfeet, 16 feet deep, with stone walls\nthree feet thick. Within this is an ice\nhouse 20 by 40 feet, with stone walls\ntwo and a half feet thick. Adjoining\nthe main room is a yeasting cellar 56\nx 20 feet, covered with solid masonry.\nMr. Ruhr\'s establishment is one of\nthe largest and finest in the state, and\nwe hope large expense incur\nred by him will be returned four-fold.\nU is enterprise and public spirit should\nbe followed by others.\nLincoln wants more men —We\nthought the Emancipation Procla\nmation was to put an end to me wdr!\nHow is that?\nTWENTY-FIVE YEARS AGO.\nHon. Issac Craite of Misbieott atten\nded the examination of applicants for\nadmission to the bar at Milwauke last\nweek.\nThomas Hogan of Antigo is spending\na few days in the city. Mr. Hogan\nhas met with the most gratifying suc\ncess in the practice of his profession at\nAntigo.\nThe Appleton Post thinks if Sand\nford were trained for the prize ring in\nearly manhood ho would be the cham\npion today. Be is described as a cross\nbetween philanthrophy and brigandry,\nand as being possessed of incomparable\ngentleness and unparalleled savagery.\nIda Filbolm, daughter of J. C. Fll\nholm of this city, died on Thursday,\nDecember 27, 1888, aged it). She was\na bright active young girl, but last\nMay began to fail in health and time\nbroughtno improvement. Her funeral\nlook ])iace on Sunday and a large num\nber of friends testified their respect by\ntheir attendance. The stricken rela\ntives have the sympathy of the entire\ncommunity.\nUncle Wood and John Schuette have\nquit singing on Sylvester eve. The\npeople who assemble at Turner Hall\nfeel the deprivation much though the\ntuneful efforts of the men were far\nfrom pleasing. Sylvester Eve is not\nwhat it used to be.\nPeople who, as Tom Windiate would\nsay “were on earth in 1804” were busy\non Tuesday last contrasting it with\nthe first day of January 1804. Then a\nperson could hardly stir outside with\nout being frozen, while Tuesday last\nwas as balmy as a day in May.\nEd. Sams of Mishioott while walking\naround the barn of J. L. Miller of this\ncity, broke off an alder branch with\nbuds ready to burst. A warm rain\nwould bring them out in full leaf.\nThis stale of things brought out some\nfurther facts of the unprecedented mild\nness of the winter. On the 2.\'frd of\nDecember live frogs were found in\nMishicott, right lively fellows, too.\nThere are any number of robins in the\ncity. This will prevent the early rob\nin item from making its appearance in\nlocal papers next April.\nNew Years day was a day fit to in\nspire a poet. The sleighing was ex\ncellent, the face of the sky was not\nmarred by a cloud sjieck and the sun\nshone bright. In the afternoon Eighth\nstreet was thronged with people urg\nging horses of all conditions to do their\nprettiest, while the river was crowded\nwith skaters. It was a day calculated\nto make a misanthrope feel that life\nwas worth the living.\nMANITOWOC, WIS., THURSDAY, JANUARY 8, 1914.\nEDUCATIONAL.\n(RyC. W. Meisnkst.)\nJANUARYTF ACKERS’ MEETINGS\nOsrmn, Jan. 17, 1914.\n9:30 A. M.\nOpening\nClass Exercise in Middle Form Geog\nruphy - - Nellie Ilarnes\nRural Economics - Edwin Mueller\nTeaching How to Study (Chapter V)\nI’. J. Zimmers\n1;80 P. M.\nHow to Teach Long Division. Factoring\nand Decimals - James Murphy\nBllanora Graf\nMoral and Humane Teaching\nMarie Gass\nAccident Prevention - Mary Grady\nHow to Study (Chapter XI)\nP. J. Zimmers\nIteedsville, Jan. 10, 1011.\n10:00 A. M.\nSinging - - Hecdsville Pupils\nConducted by Gladys Willlnger\n(a) Accident Prevention\nMildred Dedricks\n(b) Moral and Humane Teaching\nEtta Hayden\nTeaching How to Study (Chapter V)\nI’. J. Zimmers\n1:30 P. M.\nClass Exorcise in Agriculture\nElizabeth Wnlrath\nUural Economics - F. C. Christiansen\nHow I Teach Factoring, Decimals, and\nLong Division - Florence O\'Connors\nI’. W. Fahey.\nTeaching How to Study (Chapter XI)\nP. J. Zimmers\nBring your copy of McMhrry to all\nmeetings.\nHealth work in rural schools pre\nsents some problems entirely dilVerent\nfrom those found in large villages and\nin cities.\nRural schools are, with only a few\nexceptions, entirely unprovided with\nhealth supervision of any nature. Vet\nthese are the very places most in need\nof it. In the larger centers competent\ndoctors are available, and in the cities\nfree medical and dental clinics may al\nways be found, but in the country med\nical and dental attention is often diffi\ncult to obtain.\nAgain, people in the country are\nlittle inclined to seek aid from physic\nians or dentists, simply because they\nhave not yet been educaflAi to do so\nexcept in serious cases. It therefore\nhappens that children of the rural\nschools are in general (contrary to the\ngeneral impression) more in need of\nmedical and dental attention than the\nchildren of larger communities.\nThere is also a common impression\nthat country children are naturally\nmore vigorous than city children.\nr i his ought to bo true, but unfortun\nately it is not. In general food is not\nas well prepared in the country as it\nis in the city; the available variety is\nsmaller; the houses and schools are\nless well ventilated, overheating in\nwinter is common; tuberculosis is not\nso well understood and the chances for\n“house infection” are therefore great\ner; and general public sanitation is\nalmost without exception neglected in\nthe country.\nChildren in the country are more ex\nposed to unfavorable weather condi\ntions than are city children. They of\nten walk long distances in extreme\nheat, cold, or wet; and sit in school\nwith damp clothing or wet feet. They\nalmost invariably wear 100 much cloth\ning indoors in cold weather, and are\nconsequently overheated in the school\nroom and then are chilled on the way\nhome. Under such conditions it is no\nwonder that colds and other respira\ntory disorders are common, and that\nmany country children are out of\nschool on account of various kinds of\nsickness\nTin sanitation of a rural school is\nusually very bad. The common drink\ning cup hangs from a nail over the\nwater pail; floors and desks are often\nvery dirty; ventilation is a negligible\nquantity; outdoor toilets are in un\nspeakable condition; washing facilities\nare either not provided at all, or con\nsist of a pail of water, a dirty tin basin,\nand one common towel.- From U, S.\nliureau of Kducation Letter.\nThe above letter needs to be heeded\nat this time of the year. There is\nmuch sickness throughout the county\nand city. Several schools were closed\nbefore the holidays. School boards\ncannot give the matter of fumigation\ntoo much attention at this time. The\nschool house ought to disinfected fre\nquently now. Some children catch\ndiseases from each other very readily.\nTake alt necessary precaution, it is\ncheaper than paying doctor bills, and\nmay prevent an epidemic in the com\nmunity.\nBl) v LAND ON EASY TEHMS.\nCut over hard wood lands in Wiscon\nsin, from 915.00 per acre up. 91 00 per\nacre cash, balance in monthly install\nments of 9. r j.oo on each forty (.ought.\nNo better proiswltion known. Go to It\nAdv. A. P. Schk.nian, Agent.\nOr Change Him.\n“Maud\'s husbands name is lull,\nlan’t It?" “Yes, and Lies afraid shell\nhrcutJk him."\n0. TORRISON COMPANY\n—. ... ■\nREAL WINTER IS SURE TO COME. Take ad\nvantage of these real overcoat bargains. Entire\nstock of overcoats reduced as follows:\nRegular 35.00 Mon\'s and Young Men’s Fancy Overcoats, r[ A\nsale price tpuDiDU\nRegular 30.00 Men’s and Young Men’s Fancy Overcoats, Ann\nsale price\nRegular 25.00 Men’s and Young Men’s Fancy Overcoats, Ain\nsale price tD 1 O* / O\nRegular 20.00 Men’s and Young Men’s Fancy Overcoats, £-| a\nsale price J. f\nRegular 15.00 Men’s and Yuung Men’s Fancy Overcoats, Ai rv wy N\nsale price W A \\/# / O\nRegular 12.00 Men’s and Young Men’s Fancy Overcoats, 71?\nsale price wOi/D\nRegular 10.00 Men’s and Young Men’s Fancy Overcoats, rfknr A C?\nsale price / .T\'O\nRegular 7.50 Men’s and Young Men’s Fancy Overcoats, dJC f?A\nsale price\nRegular 100.00 Fur or Fur Lined Coats, Ahq CfY\nsale price I i/tDU\nRegular 90.00 Fur or Fur Lined Coats, •* r?/\\\nsale price V" I.OU\nRegular 75.00 Furor Fur Lined Coats, *7C.\nsale price / O\nRegular 50.00 Fur or Fur Lined Coats, Aqa , 7C?\nsale price .. ■ / O\nRegular 35.00 Fur or Fur Lined Coats, £OT OC\nsale price / a /3\nRegular 30.00 Fur or Fur Lined Coats, Ann TC?\nsale price / D\nRegular 25.00 Fur or Fur Lined Coats, Q7C\nsale price pi / O\nRegular 20.00 Fur or Fur Lined Coats, (11? QC\nsale price wi\nRegular 10.50 Fur or Fur Lined Coats, Ai n\nsale price uluiOU\nAll other priced coats reduced in the same proportion.\nPOSTAL EMPLOYE UNDER\nSERIOUS CHARGE.\nEdward Zander, for many years a\npost ollieo clerk and lately transferred\nto the rural delivery service, was ar\nrested and taken to Sheboygan last\nweek on a charge said to have been\npreferred there hy the father of a girl\nof about Ik, working hero as a domes\ntic.\nZander was a leading member of a\nlocal amateur minstrel company that\nvisited Sheboygan a few weeks ago\naccompanied by a large number of\nlocal people It is charged that he\nregistered with the young woman at a\nSheboygan hotel after the performance.\nThe arrest was something of a sensa\ntion as Zander has been prominent in\nvarious ways for years. Ills being a\nmarried man adds to the gravity of the\noU\'ense, if it was committed. Yester\nday he waived examination and was\nbound over for trial at the April term\nof the Sheboygan circuit court. Honds\nwere lixed at 9*500 which ho furnished.\nMarriage Licenses\nThe following marriage licenses have\nbeen\' issued hy the county clerk the\npast week:\nJohn Warner of Mosel, Sheboygan\ncounty, and Klla Bogenscbuetz of Cen\nterville; Arthur Murinean anil Flor\nence Schultz, both of Two Rivers; Ixl\nwaril Hessel of Kossuth and Agnes\nRenishek of Rapids.\nThe German Lutheran Fire Insur\nance Cos. hold their annual meeting\nlast night. Dr. Otto VVernecko was\nelected president and Fred UockhofT\nand Cha. F.ngel, directors. A dividend\nof 10 percent was declared.\nEUGENIC DIFFICULTY OVERCOME.\nNew Year’s day the now Wisconsin\n“Eugenio" marriage law went into\nforce. Under it no county clerk can\nissue a marriage license unless the\napplication is accompanied by a phy\nsicians certillcate that the prospective\ngroom is free from certain spccilied\ndiseases. Physicians are prohibited\nfrom charging more than $3.00 for the\nexamination. The law seems to re\nquire certain modern laboratory tests\nof the blood which doctors say will\nlake weeks of time and alxnit $23.00.\n| For months there has been much com\n| ment over the possibililitios of none, or\nfew marriages.\nThe last license In Manitowoc coun\nty under the old law was issued by\nClerk Auton to.lolm Warner of Mosel\nand Ella Hogenschuetz of Centerville,\non an application dated December JOth,\nOn January second an unsuspecting\ncouple came In for a license but the\nclerk demanded the irrootn\'s "all\nclear" paper, lie never had heard\nof Eugenics. Wednesday came Ar\nthur Marinueu ami Florence Schultz\nioth of Two Rivers, the former hear\ning county physician Cullman\'s signa\nture to the statement that he had gut\nby. The county clerk was uncertain.\nHe got into telephone communication\nwith Atty. general Owen who advised\nhim not to require the blood lest, so\nthe Schulz Marlnaeu couple received\nthe first eugenic license issued in the\ncounty and one < f the llrst in the stale,\nmany clerks including Milwaukee\nholding out for the blood test. Mon\nday, January’>th license No. 2 was is\nsued to Edward Hessel of Franklin and\nAgnes Henechek of Rapids on the cer\nlilicHte of city Health Otllcer Dr.\nSlauble.\nNUMBER 28\nNOTHING UNUSUAL GREETS 1914.\nThe first day Nineteen fourteen came\nin last week without anything to dis\ntinguish it from numberless New Year’s\nin the past unless it bo the remarkably\nmild weather. There lias been no\nreal winter to this date. The ice on\nthe upper river is said to be but little\nover four inches thick as against two\nor three feel in the middle of January\ntwo years ago. The customary annu\nal Sylvester balls were held. Over 100\ncouples were at the Cos. H. affair at\nthe Opera House. The Hlks club had\nopen house with a punch bowl, tango\nand at midnight symbolical impersona\ntions. The Hoy Scouts greeted the\nnew year with a parade through the\ndown town streets. Various churches\nheld watch services. At midnight a\nbedlam of steam whistles and church\nbells shattered the night for a quarter\nhour. On the evening of the tirst\ni’rof. VVirlh’s dancing social attract-td\na largo attendance. In the city’s so\ncial set a party was held evoiy evening\nduring the holidays.\nLAW SUIT OVER MEEHAH FARM.\nit is reported that a nephew of John\nMeehan who died two weeks ago,\nshortly after deeding for a fraction of\nits value a large farm to a tenant, not\nrelated to him, will contest the gran\ntee’s title in couit Ft is said that he\nhas retained an attorney at Kaukauna\nand will commence proceedings at\nonce in the local court. The farm is\npledged upon the bond of William Red\ndin whose conviction with most of the\nother defendants in the labor union\ndynamite case was this week continued\nby the Federal Circuit Court of Ap\npeals.', 'batch': 'whi_harriet_ver01', 'title_normal': 'manitowoc pilot.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85033139/1914-01-08/ed-1/seq-1.json', 'place': ['Wisconsin--Manitowoc--Manitowoc'], 'page': ''}, {'sequence': 1, 'county': ['Sauk'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn86086068/1914-01-08/ed-1/seq-1/', 'subject': ['Baraboo (Wis.)--Newspapers.', 'Wisconsin--Baraboo.--fast--(OCoLC)fst01222682'], 'city': ['Baraboo'], 'date': '19140108', 'title': 'Baraboo weekly news. [volume]', 'end_year': 1979, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Available on microfilm from The State Historical Society of Wisconsin.', 'Editors: H.E. Cole & H.K. Page, Jan. 4, 1912-April 12, 1928.', 'Publisher varies.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Baraboo, Wis.', 'start_year': 1912, 'edition_label': '', 'publisher': 'H.E. Cole & H.K. Page', 'language': ['English'], 'alt_title': [], 'lccn': 'sn86086068', 'country': 'Wisconsin', 'ocr_eng': 'ESTABLISHED MAY 26, 1884\nHI FOUND\nme m\nLillian Engelman, Who\nDisappeared on Monday\nDec. 22, Appears.\nFATHER TRACES JOURNEY\nFifteen Year Old Girl In\nduced to Leave Home by\nOlder Acquaintance.\nLillian Engelman, who left her\nhome in Marshfield Monday osten\nsibly to visit her nncle, Emil Engel\nman, in Baraboo, was found in Pine\nRiver on Wednesday after an absence\nof ten days during which time her\nrelatives knew nothing of her where\nabouts. The missing girl\'s father\nclosed his business in Marshfield and\ntraced hi3 daughter\'s progress from\nthe moment she left her home. The\npolice were notified, but until\nWednesday morniDg nothing was\nknown beyond that she had been seen\non the train at Merrillan. On Wed\nnesday morning Mr. Engelman re\nceived word from the marshall at Wild\nRose that a girl answering to Miss\nEagelman’s description had taken a\ntrain for Pine River.\nHer father left immediately for Pine\nRiver and found his daughter on the\npoint of leaving for parts unknown\nwith a young woman companion. Tae\nlatter, who has been employed at the\nEngelman home at Marshfield\nand who was twenty-two\nyears of age, unbeknownst to the other\nmembers of the family, had induced\nLillian to promise to leave her home\non some pretense or other and meet\nher at Pine River where the twain ex\npected to “run away”. This attempt\nwas frustrated by Mr. Eogelmsn who\narrived at the rendezvous in the nick\nof time and returned with a penitent\nand, it is hoped, wiser daughter.\nNeedless to say the young girl’s act\ncaused much anxiety to her uncle in\nBaraboo, who met every train since\nher arrival was expected and gone to\nother trouble as well. Her uncle in\nBaraboo states that as far as he knows\nLillian had no reason to leave a good\nhome. In his letter to his brother in\nBaraboo Mr. Engelman does not state\nthe seducer’s name to whom rightly\nbelongs a of the blame.\nSEMI INJURED\nBE HiSE’S HOOF\nAnimal, Uneasy in Black\nsmith Shop, Kicks By\nstander on Skull.\n(Prom Friday\'s Daily.)\nAs Lawrence Luce, son of Mr. and\nMrs. J. H. Luce of Fairfield was\nstanding near his horse in A. R.\nBarber’s blacksmith shop this after\nnoon, the horse became uneasy and\nkicked viciously. The first time Roy\nWashburn, who was standing behind\nthe animal, narrowly escaped. The\nsecond time as Lawrence Luce dodged\nto escape the blow, the hoof\nstruck him on the back of the head\nand threw him, face downward, on a\npile of hammers. The youth was\ntaken to a physician’s office where\nhis injuries were treated. Of j ust how\nserious a nature are the latter, had not\nbeen determined as we go to press.\nLower Rates\nJire Sought\nAt Prairie du Sac there will a pub\nlic hearing on the evening of January\n6 to consider the question of lower\nrates. On the evening of January 14\nthe State Railroad Commission will\nhold another hearing, the village\nboard having asked for an investiga\ntion into the services rendered and\nrates charged by *the Prairie du Sac\nMill & Power company.\n—rMiss Esther Simpson has returned\nfrom Madison where she spent the\npast fortnight.\nLast Sad\ntes for\nVeteran\nThe funeral of Orson Simoads was\nheld at the heme of bis daughter,\nMr. John D. Kramer, Eighth avenue,\nat 2 o’clock on New Years day, Rev.\nE. P. Hall officiating. The bearers\nwers sons and sons-in-law of the de\nceased as follows: E. R Simonds,\n\' *■ .\nORSON SIVIONDB.\nBern on the seventeenth birthday of\nAbnham Lincoln.\nBuried New Years Dsy.\nCyrus Simonds, Freeman Simonds,\nDavid L. Hopper, John D. Kramer\nand Jacob Kramer.\nMr. Simonds whs born February 12,\nthe seventeenth birthday of Abraham\nLincoln. He moved from New Y r ork\nto Illinois and later to Wisconsin. He\nmarched with Sherman to the sea and\nwas in a number of stirring battles.\nMr. and Mrs. D L. Hopper and John\nSimonds of Reedsburg attended the\nservices.\nNorth fiiifield\nMr. and Mrs. Gust Lewis enter\ntained several of their relatives and\nfriends for dinner Sunday.\nLittle Helen Lewis, daughter of Mr.\nand Mrs. Joe Lewis had her tonsils re\nmoved last Saturday:\nMr. and Mrs. James Lamar of Kil\nbourn visited a few days last week\nwith Mr. and Mrs. Marion Lamar,\nalso with Mr. and Mrs. Carl Anchor.\nLit*le Billie Newell of Baraboo is\nvibiting a few days with grandpa and\ngrandma Lamar.\nMr. and Mrs. Fred Flynn and fam\nily and Mr. and Mrs. John Wilson\nand family ate Christmas dinner with\nMr. and Mrs. Calvert.\nNEW YEARS JVE RECEPTIDH\nPastor and Officers of\nChurch Receive Mem\nbers of Congregation.\nThe coagregatioa of the Presbyter\nian church was given a social Wed\nnesday evening in the church parlors\nthe pastor and wife, R=v. and Mrs. E.\nC. Henke, with the officers of the\nchurch formed the reception com\nmittee. A program was given con\nsisting a praise service led by the\nchoirs, followed by selections on the\nVictrola. Then after a pleasant so\ncial hour, refreshments were served,\nthe waitresses being members gof the\nThimble club.\nEH RECEIVED\nNEW MB GIFT\nDavid Evans and Charles Leves\nque failed to climb onto the water\nwagon New Years Day when it rolled\nthrough the streets of Baraboo and\nbeing somewhat disappointed filled\nup with ordinary booze. In order to\nimprove the surroundings Chief of\nPolice Pelton escorted them to the\nbas\'ile and afterwards to the court of\nJustice Andro where they received\nNewiYear gifts of 30 days each. Their\nmoney had all gone for grog.\nMrs. E. M. Pierceson and three\nchildren have returned to their home\nin Cazenovia after a visit with Mrs.\nPierceson\'s mother, Mrs. 8. Corbin.\nBARABOO, V/IS., THURSDAY, JAN. 8, 1914\nOUTI CODES 01\nHI Ml OFYEAI\nFerdinand Rote Summoned\nDuring the Quiet of\nthe Evening.\nBORN IN SWITZERLAND\nWas in the Battle of Gettys\nburg During the\n*Civil War.\nDuring the quiet of the evening on\nthe first day of the year, death entered\nthe home of Ferdinand Rote and in a\nfew moments the veteran was no more.\nAbout 8 o\'clock he brought in a scut\ntle of coal, placed it on the fire, fell or\nlay upon the lounge near by aod in a\nfew minutes was dead. During the\nday he had been unusually happy\nand the messenger of death was en\ntirely unexpected. He had not com\nplained and when the doctor made an\nexamination he came to the conclu\nsion that heart disease was the fatal\nmalady.\nMr. Rote was born in Switzerland\nabout 72 years ago, came to America\nwhen quite young, enlisted in the army\nduring the Civil war when a mere boy,\nfaced death at Gettysburg aod in other\ndecisive battles, moved to Kansas and\nlater to Baraboo. For some time he\nwas with the Chicago & Northwest\nern and later was janitor of the city\nhall and library. During the pros\nperous days of the A. O. U. W . and\nSelect Knights he was an active mem\nber and officer. He was a member of\nthe German Evangelical church. Be\nsides bis wife he leaves the following\nsons and daughters:\nMrs. E. L. Mogler, Baraboo.\nMrs. Emil Engelman, Baraboo. , |\nMrs Otto Johnson, Winona.\nMrs. C. Ciioe, Baraboo.\nConductor William Role, Baraboo.\nCharles Rote, Baraboo.\nMiss Anna Rote, Baraboo.\nThere are several brothers and sisters\nin Pennsylvania.\nTHIRTY-FIFTH ANNIVERSARY\nMr. and Mrs. E. R. Thomas\nare Surprised by Friends\non New Years.\nAt the home of Mr. and Mrs. E. R.\nThomas in Fairfield about fifty neigh\nbors and relatives enjoyed a pleasant\nevening with music, visiting and di\nversions. Thirty-five years ago, Jan\nuary 1,1879, Mr. and Mrs. Thomas\nwere married about half a mile from\ntheir present home. Since then they\nhaved lived in Fairfield and are highly\nesteemed by a large number of friends\nin that vicinity. Supper was served\nand several informal talks given.\nBIG CORPORATION\nSEVERS CONNECTION\nA message from New York says\nthat J. P. Morgan & company had\nsevered connections with some of the\ngreatest corporations in the country\nwith which the firm had long been\nconnected. The firm says the step\nwas taken voluntarily in response to\napparent change in public senti\nment on account of some of the\nproblems and criticisms having to do\nwith the so called interlocking direc\ntoates. Among some of the compan\nies alluded to are the New York Cen\ntral and New Haven railroads.\nSees Folk\nat Capital\nA letter from A. B. Stout, 2936 Bain\nbridge avenue, New York, says he\nrecently visited Mr. and Mrs. Alex\nVVetmorein Washington D. C. Mr.\nWetmore is a son of Dr. Wetmore,\nformerly of North Freedom, and is now\nwith the United States Biological sur\nvey. He recently made a trip to Porto\nRico where he made a survey of the\narian fauna. While in Washington\nDr. Stout also visited Dr. Rodney H.\nTrue and his father, State Stnator\nJohn M. True.\nSNOW—WHAT A DIFFERENCE A FEW YEARS MAKE.\n" A\nUNWISE TO BUY\niCHJJUIO NOW\nProfessor at the University\nDiscusses the High Level\nof Land Values.\nDiscussing the high level of land\nvalues Prof. H. C. T&ylcr of the econo\nmics department of the University of\nWisconsin, declares it unwise for a far\nmer to invest a large share of his sav\nings in the non-interest-bearing spec\nulative margin which exists in the\npresent price of land. Writing for the\nBreeders’ Gazette, he says there are\nmany reasons for the belief that the\nyoung man had better pay rent a\nwhile longer than buy land at present\nprices unless he \'has at least 50 per\ncent of the purchase price in addition\nto the funds required for equipping\nand operating the farm. Prof. Taylor\nsays that he fears that the prices of\nland has been rising too rapidly and\nthat present prices are high speculative\nis rapidly gaining in its hold upon\nthe minds of farmers.\nHUMPTY DUMPTV GOING UP\nProfessor Says the Price of\nEggs Will Reach a\nDollar.\nProfessor W. Theodore Whittman\nof Franklin, Pa., predicts that the\nprice of eggs will go to one dollar a\ndozen within two years. This is some\nthing for biddy to cackle about.\nHorn-Tooting and\nProud Pufferies\nHugh Kelly Discourses on Quick Results which\nSo netirt:es Come\nIn this world of horn-tooting and\nproud puffiness, of foolishness, and\nfraud, we are too prone to suspect\nthat everybody has an “axe to grind.”\nWhen the editor tells about “quick\nresults” from want ads some there\nare who say he is tooting his own\nhorn but listen while I tell you some\nthing: Tae other day I picked up a\nbundle of house furnishing goods in\nthe road and started at once for the\nprint shop. On my way I met Elmer\nJohnston in front of his store and he\nasked me where I got the package. I\ntold him on East street between Reul’s\nplaning mill and the cemetery. He\nsaid he sold it to a lady living in Fair-\n—Artigue in Kansas City Times.\nFORGOT TO REGOBO\nDEED OF_PROPERTY\nCosts Over SIOO to Straigh\nten Matter Out Before\nSale Is Made.\nRecently a Sauk county resident\nlearned that failure to record property\ndeeds is rather costly. The man\nbought a piece of property eleven\nyears ago and failed to have the deed\nrecorded. Lately he had a chance to\nsell the property and when he was\nabout to make the deal he discovered\nthat for certain reasons his title was\nnot perfect, and in order for him to\nmake the sale it would have to be\nmade so. He consulted local abstract\nagents and he was not a little shocked\nwhen he wp.s set back over SIOU for\nhaving the title made perfect.\nDescended of Roger Williams.\nThe last issue of the Prairie du Sac\nNews contains an obituary sketch of\nRev. W. J. Turner who preached in\nBaraboo a number of times and who\nwas formerly the pastor of the Pres\nbyterian churches in Kilbourn and\nPrairie du Sac. While in Baraboo he\nvisited at the home of Mr. and Mrs.\nD. A. Lewis. He was a deßcendent of\nRoger Williams on his father’s ide\nand his mother was of the Mayflower\nFuller family. He was born in New\nYork about 57 years ago, was a mem\nber of the Masonic order and death\nresulted from heart disease of long\nstanding. He died at Iron wood,\nMich., and was buried at Kilbourn.\nMiss Gertrude Sheridan has gone to\nAlgona, lowa, via. Chicago where\nshe will take up her work as librarian.\nfield and would give it to her when\nshe called. Quick enough, not Elmer\nbut the “results”. Again last week\nwhen the dust was strangling the\nNews editor in desperation he prayed\nfor water. Yesterday it snowed a\ncouple of inches and today we are\nhaving our January thaw. No more\ndust in Baraboo to drown with its\nsombre clouds the halo of beauty that\nour new lighting system throws\naround the Gem City. Brother Shud\nlick may spike his street sprinklers\nand turn his horses out to grass. The\neditor prayed even batter than he\nknew.\nHugh Kelly.\nREAD BY EVERYBODY\nmm on\non ns oat\nAll Kin and Connection of\nof Lusby Families Jolli\nfy at Elkington’s Hall.\nMIX ALL EXCEPT DRINKS\nAbout Sixty five 3ather to\nDrink, Eat And Be\nMerry.\nThe lonely wanderer who had rol\neven a fourth cousin with whom to\ndrink the health of the New Year t\nhastened away from the vicinity of\nElkington’s hall yesterday, from\nwhence sounds of merriment Issued\nfrom ten to ten. Over sixty-five mem\nbers of the Lusby families which in\ncluded a large number of Elkingtons,\nJudevines, Dal lings, Roslgs and\nothers, made the first day of 1914, a\nmost memorable one, there. The com\npany began to assemble at 10 o’clock.\nThe womenfolk attached the prepara\ntion of a prodigious dinner composed\nof all the good things ever contained\nin a holiday feast. At one the meal\nwas served and as Me Beth remarked\non a far different occasion “did good\ndigestion wait on appetite and health\non both.’\' The program began after\ndinner, almost everone present doing\ntheir share. John Eikington gave\nthrfe character son?s in his best style,\nMiss Effle Lusby gave a most credi\ntable reading, while others present,\nsang, played and recited, all with ta\nlent. A little playlet, adapted from\nMrs. Wiggin’s “Bird’s Cbils mas\nCarrol” was given by the young folks,\nunder the direction of Miss Maud Ei\nkington in which Mrs. Itu?gles and\nher brood prepared to eat Christmas\ndinner out. The play caused much\namusement and applause. Dancing\ncame next when old and young oiie\nstepped and tangoed, waltzed and\nquadrilled to their heart’s content.\nAfter supper the good time was con\ntinued until ten o’clock, when the\ntired but happy company dispersed.\nSince the last reunion, which took\nplace four years ago no deaths have\noccurred in the family.\nTEAM MIS MM\nHER DUB\nAccident Occurs Near Se\ncond Ward School on\nNew Years Day.\nOn New Years morning a team be\nlonging to Owen Edwards ran from\nthe Baraboo creamery and in the mad\ndash one of the horses fell near the\nSecond ward school and broke its\nneck. The other animal was not ser\niously injured. The team was stand\ning at the creamery and when an\nother team started, the Edwards\nhorses broke away and dashed down\nthe street with the cream wagon. The\nanimal was a valuable one.\nLandmark of\nOVer Century\nIs No More\nA veteran oak, which has been es\ntimated to be almost two hundred\nyears old and which stood on the\nlawn of the Stanley property on Ash\nstreet, was cut down on Wednesday.\nMr. Stanley says that pioneers have\nestimated the age of the tree as 150\nyears and have told of its being\na landmark in the times of the In\ndians. An attempt was made to coue t\nthe “rings” on a cross section of the\ntree, although impossible to do so\nEccurately, over one (hundred were\ncounted.\nLicensed to Marry\nOtto E. Bchafer of Adrian, Minn. t\nand Hilda Minnie Biefert of Cale\ndonia. i', 'batch': 'whi_lethifold_ver01', 'title_normal': 'baraboo weekly news.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn86086068/1914-01-08/ed-1/seq-1.json', 'place': ['Wisconsin--Sauk--Baraboo'], 'page': ''}, {'sequence': 1, 'county': ['Kenosha'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85040310/1914-01-08/ed-1/seq-1/', 'subject': ['Kenosha (Wis.)--Newspapers.', 'Wisconsin--Kenosha.--fast--(OCoLC)fst01203049'], 'city': ['Kenosha'], 'date': '19140108', 'title': 'The Telegraph-courier. [volume]', 'end_year': 1946, 'note': ['Available on microfilm from The State Historical Society of Wisconsin.', 'Editor: M. Frank, L.A. Cass, 1888-Aug. 7, 1890.--L.A. Cass, Aug. 14, 1890-Aug. 13, 1891.--F.H. Hall, Aug. 20, 1891-Oct. 1, 1896.--G.P. Hewitt, Nov. 4, 1897-Aug. 29, 1901.--S.S. Simmons, Sept. 5, 1901-<1915>.--W.T. Marlatt, <1915>-Apr. 16, 1925.', 'Publisher varies.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Kenosha, Wis.', 'start_year': 1888, 'edition_label': '', 'publisher': '[L.A. Cass]', 'language': ['English'], 'alt_title': [], 'lccn': 'sn85040310', 'country': 'Wisconsin', 'ocr_eng': 'Established\nIn\n1839\nVOLUME LXXV.\nROSTER OF BRAVE\nLists Are Compiled of Men\nWho Gave Service to Na\ntion During Civil War.\nPLAN A LASTING MEMORIAL\nT. H. Lyman Submits Lists For Var\nious Towns in the County and Asks\nPeople to Aid him in Securing Names\nof Any Who May Have Been Omitted\nThis week is presented the veteran\nlist for the township of Paris. So far\nno names of those who enlisted away\nfrom home have been sent in. This is\nimportant. Please to give the matter\nattention The request to send in war\nrelies has been responded to in one in\nstance. Comrade Gilbert H. Gulick has\nsent the officers’ sword of the first\nlieutenant of his company, Elliott M.\nScribner, a Kenosha school boy, who\nformerly lived at the corner of Park\navenue and English Court. Mrs.\nDwight Burgess has sent very interest\ning letters from the front written by\nJames Weed of the Hirst Wisconsin\nCavalry. They have been typewritten,\nto be read by future generations and\nthe originals have been returned to\ntheir owner. A hint to the wise should\nbring other contributions to the ar\nchives and collection of relics. Send\nwar time photographs carefully labeled.\nAddress F. U. Lyman, 432 Park Ave.\nParis.\nHorace 0, Blackman Ist. Cav. F.\nAndrew J. Hobbs Ist. Cav. I.\nJohn C. Coles Ist. Cav. L.\nEdwin Cooley Ist. Cav. M.\nCassius M. Cooley Ist. Cav. M.\nJames If. Delong Ist. Cav. M.\nJohn Henderson Ist. Cav. M.\n1\' .-ter M<; ers Ist. Cav. M. I\nChester C. Shepherd Ist. Cav. M.\nEdwin R. Shepherd Ist. Cav. M.\nHomer Marsh Ist. Cav. M.\nLudwig Fuerst 2nd. Cav. 11.\nJacob Lang 2nd. Cav. H.\nPeter Wagenor ’....2nd. Cav. H.\nWm. R. Guilfoyle 2nd. Cav. I.\nJohn W. Langford. .Ist. Rg. Hy. At. A.\nJohn Devos Ist. Rg. Hy. At, H.\n"Michael Kias Ist. Rg. Hy. At. H.\nJohn Murgatroyd.. Ist. Rg. Hy. At. H.\nEllis Seed Ist Rg. Hy. At. H.\nBenjamin Smith .Ist. Rg. Hy. At. H.\nJames Smith Ist. Rg. H. At. H.\n( has. Sutherland.. Ist. Rg. Hy. At. H.\n(>li\\ r L. Watkins. . Ist. Rg. H. At. H.\nJohn E. Pierce.... Ist. Rg. Hy. At. K.\nB. Wagner Ist. Rg. Hy. At. D.\nJahn Gratz Ist. Inf. C., 3 mos.\nPi er Groh Ist. Inf. G., 3 mos.\nClark M. Stover.... Ist. Inf. G., 3 mos.\nFrederick Hermann. .Ist. Inf. E., 3 yrs.\nSeth I>. Myrick, Jr.,. .Ist. Inf. E., 3 yrs.\nAndrew Selles Ist. Inf. G., 3 yrs.\nph Yonnock 6th. Regt. B.\nChristian Hie 6th. Regt. K.\nY m. Beazley 7th. Regt. C.\nGeo. W. Bcaz’ey 7th. Regt. C.\nLewis A. Williams 7th. Regt. C.\nThomas Carter 10th. Regt. I.\nEdwin Piddington....’.. ,10th Regt. I.\nJohn Baker 11th. Regt. H.\nMelanethon Rohanan. .. ,11th Regt. H.\n( has. W. Smit: 11th. Regt. H.\nThomas W. Kitelinger. .12th. Regt. A.\nGeo. Weiderhold .•.12th. Regt. H.\nGoo. N. Green 12th. Regt. E.\nFrank Keiser 17th. Regt. K.\nloseph Toner 17th. Regt. B.\nIsom Taylor 20th. Regt. F.\nFrederick Herman 21st. Regt. C.\nJohn John’on 21st. Regt. H.\nMathias Hansgen 26th. Regt. C.\nPeter Kreuscher 26th. Regt. C.\nNicholas Paulus 26th. Regt. C.\nFranklin Tarry 26th. Regt. C.\nPeter Weber 26th. Regt. C.\nGeo. N. Green 29th. Regt. H.\nJoseph F. Linsley 33rd. Regt. H.\nGeo. Hale 33rd. Regt. H.\nJohn Baker 33rd. Regt. H.\nWarren E. Baker 33rd. Regt. H.\nMelanethon Bohanan... ,33rd. Regt. H.\nHezekiah Case 33rd. Regt. H.\nWm. H. Coburn 33rd. Regt. H.\nStephen W. Collett 33rd. Regt. H.\nAlexander Gray 33rd. Regt. H.\nJohn Gray 33rd. Regt. H.\nAsa Harris 33rd. Regt. H.\nNorman Johnson 33ra. Regt. H.\nHenry Kastman 33rd. Regt. H.\nNicholas Klass 33rd. Regt. H.\nWm. Lieber 33rd. Regt. H.\nChas. P. Mathews 33rd. Regt. H.\nWm. Orcutt 33rd. Regt. 11.\nBenj. W. Palmer. ..... .33rd. Regt. JI.\nJohn Reburn 33rd. Regt. H.\nGeo. Reynolds 33rd. Regt. H.\nChas. W. Smith 33rd. Regt. H.\nFrederick B. Taylor 33rd. Regt. H.\nJacob Windish 33rd. Regt. H.\nHarvey Wood 33rd. Regt. H.\n( lark M. Stover 33rd. Regt. I.\nMyron A. Baker Ist. Regt. inf. G.\nFrancis L. Tinkham 33rd. Inf. H.\nJehu Brown 34th. Inf. D.\nJohn Dunkirk , 34th. Inf. D.\n(Thi\'\nJohn Engbard 34th. Inf. D.\nJohn Frohlich 34th. Inf. D.\nGeo. Gill 34th. Inf. D.\nGilbert H. Gulick 34th. Inf. D.\nJohn Wyler 34th. Inf. D.\nGeo. W. Bailey 35th. Inf. E.\nThomas C. Carter.. 35th Inf. E.\nJoseph F. Patterson 35th. Inf. E.\nJohn W. Bridge 35th Inf. G.\nAnthony Haney.... 36th. Inf. B.\nGeo. Hauser 36th. Inf. B.\nGeo. Hoadley .....36th Inf. B.\nAndrew E. Perkins...... ,36th. 1nf.,8.\nFranklin N. Brasher 37th. Inf. A.\n"Wm. H. Cooper 43rd. Inf. B.\nWm. L. Kline 43rd. Inf. B.\nPeter B. Lippert 4 3rd. Inf. B.\nRichard N. Taylor 43rd. Inf. B.\nSami Terrell 43rd. Inf. B.\nLewis A. Williams 43rd. Inf. B.\nLevi Duckett 43rd. Inf. D.\nAlex McPherson 43rd. Inf. D.\nHenry Rister 43rd. Inf. D.\nMaxim Smith 43rd. Inf. D.\nMichael L. V. ill is 43rd. Inf. D.\nGeo. W. Myrick 43rd. Inf. G.\nFrancis W. Newbury 43rd. Inf. G.\nPatrick Nolan 43rd, Inf. G.\nPeter Devos 43rd. Inf. G.\nJohn A. Harris 43rd. Inf. G.\nJesse M. Hughes 43rd. Inf. G.\nLawrence (Jasper..., 44th. Inf. B.\nChas. E. Hudson 44th. Inf. G.\nDavid B. Hudson 44th. Inf. G.\nPatrick Cain 46th. Inf. F.\nJames Grady 46th. Inf. F.\nWm. Brunton 47th. Inf. F.\nMichael Donnelly 48th. Inf. C.\nFree W. Downing 48th. Inf. C.\nIra J. Mosher 48th Inf. C.\nFrederick Pellman 48th. Inf. C.\nThomas H. Wood 48th. Inf. E.\nBenj. F. Bailey 50th Regt. E.\nEzra M. Bus well 39th. Inf. C.\nWm. Emmett 39th. Inf. Ct\nM. M. Hale 39th. Inf. C.\nJohn Jones 39th. Inf. C.\nEdward Tremlett 39th. Inf. C.\nHenry Downey 39th. Inf. C.\nLavett Fredenburg 22nd. Inf. A.\nWATER MUCH BETTER\nTests of City Water Show\nValue of Hypochlorite\nTreatment of Water.\nNO DANGEROUS GERMS FOUND\nThe following are the results of\nanalyses of two sets of samples of city\nwater, the first collected Ju’y 31st,\n1913, about two months after the be\nginning of the hypochlorite treatment,\nand while there still remained a large\namount of untreated water in the\ncity mains, and the second collected\nDecember 31st, 1913, after the hydrants\nhad been flushed a number of times and\nthe hypochlorite had penetrated to all\nparts of the system:\nJuly 31, 1913.\nSource of Sample. Bacteria.\n772 Milwaukee Ave 4990\n381 Division St 1150\n300 N. Pleasant St 3455\n169 Howland Ave 6910\nBain School (unflltered water) ... .1410\n1067 Prairie Ave 1150\n718 Newell St 6655\n788 Fremont Ave 155\n818 Ashland Ave 1920\nGeo. Pirsch\'s residence Park Row\n(dead end) 3070\nPumping Station 50\nCity Hall Laboratory 1150\nDecember 31, 1913.\nGeo. Pirsch\'s residence Park Row\n(dead end) 12\n788 Fremont Ave 10\nBain school (unfl/ered water).... 6\n260 Bronson St 12\n619 Middle. St 14\nPumping Station 6\nGity Hall Laboratory 4\nB. Coli was absent in every sample\nin each set of samples.\nOFFERS CITY A CHRISTMAS TREE.\nH. B. Rooney, of Chicago, Would Ship\nOne to Kenosha From North Woods\nHenry B. Rooney of Chicago, who has\ninterested himself in the municipal\nChristmas tree plans has sent a letter\nto Mayor Head offering to donate to\nthe city of Kenosha a great pine tree\nto be planted somewhere in the city\nand to be used as a perpetual Christmas\ntree. Rooney furnished the municipal\ntree to Chicago this year. The proposi\ntion is that he will ship the tree to Ke‘-\nnosha with the soil frozen about the\nroots and he holds that if it is planted\nunder such conditions that the transfer\nof it from the northern forests to Ke\nnosha will in no way retard its growth.\nRooney plans to ship trees to seventy\ncities in Illinois, Indiana and Wiscon\nsin.\nMayor Head declared today that he\nwas favorable to the proposition and he\nsuggested that the tree be secured and\nset up in the Market Square Park at\nthe intersection of Church street\nSTARTS ON 810 TASK\nMayor Head Busy Investi\ngating Petitions Asking\nFor Commission Form.\nSMALL MARGIN TO WORK ON\nI\nMayor Declares That He Wil. 1 Rush the\nWork of Investigation and Is»,.t For\nmal Proclamation Just as Soon as Ha\nIs Satisfied With the Petitions.\nMayor Dan 0. Head has started the\narduous task of checking up the names\non the petitions demanding a referen\ndum on the commission form of govern\nment. At the last general election in\nthe city there were 4,010 votes cast for\nall the candidates for mayor and in or\nder to have the question of the com\nmission form submitted to the people\nthe petitions now in the hands of the\nmayor must contain the names of 1,010\nqualified electors of tne city of Keno\nsha. The petitions contain exactly\n1,027 names so that the margin is but\nseventeen and it is probably that this\nwill be reducted by the elimination of\nduplicate signatures. Mayor Head will\nprobably he abb to complete the ex\namination of the names on the petition\nwithin two weeks and if he is satisfied\nthat the number is sufficient he will\nlose no time in issuing his proclama\ntion. Under the law the election must\nbe held within sixty days after the\npresentation of the petition and the\nproclamation of the mayor must be is\nsued within thirty days in order to\ngive time for the preliminaries to the\nprimary.\nThe law provides that should the com\nmission form be adopted by the refer\nendum vote that the candidates for\nmayor and for councilmen must be\nnominated at a regular primary elec\ntion. This primary is to be held under\nthe law which has governed city pri\nmaries in the past. The candidates\nmust silo affidavits of their candidacy\nat least twenty days before the date\nset for the primary and the affidavits\nmust be accompanied by a petition\nsigned by at least twenty-five electors.\nAll petitions must be circulated at\nlarge and under the commission form\nward lines will be entirely w : ped out.\nSome of the opponents to the com\nmission form lave insisted already that\nthe petition is insufficient, they holding\nthat the law demands that the petition\nbe signed by one-fourth of the number\nof electors who voted at the last gen\neral election. T\' iy hold that many\nvotes were cast blank for the office of\nmayor and that the total number of\nall the votes cast was largely in\nexcess of the number received by the\nthree actual candidates. The reading\nof the law appears to be plain and it\nstates that the petitions shall be sign\ned by twenty-five per cent of the votes\ncast for all candidates for mayor. No\nmention of the blank votes is made in\nthe law. This matter has been referred\nto the «city attorney for a decision.\nThe clans have already begun to line\nup for and against the proposed change\nin the form of government of the city.\nMany of the workingmen of the city\nseem to be committed to the new form\nand it has a large support among the\nheavier tax payers of the city. The\nplan is opposed by the men who have\nbeen active in politics as these men\n, seem to prefer the old form.\n“It will take a long while to get\nover these petitions,” said Mayor Head\nin discussing the matter. “There are\na lot of names on them that I have\nnever heard of and I shall be forced\nto refer to poll lists i 1 order to satis\nfy myself that the petitions contain the\nrequisite number of electors. Just as\nsoon as I am convinced that this is true\nI will make the proclamation provided\nby the state law.”\nONE MAN RELEASED.\nJulius Elbi Arrested on Charge of Aid\ning Fugitive Released on Tuesday.\nJulius Elbi, one of the Italians ar\nrested on Monday night on charges of\nhaving aided in the escape of Peter\nCovalla, who was charged with attempt\ned murder, was released on Tuesday\nnight at the order of District Attorney\nAL. Drury. The district attorney held\n; that the evidence was not sufficient to\nhold Elbi for a preliminary hearing in\nthe municipal court. This morning a\nformal complaint was issued for the ar\nrest of James Jendi, who is charged\nwith having furnished the money to\nCovalla to go to Italy. The hearing\nwill be taken up in the municipal court\n■ late this afternoon or Thursday morn\npng. In the meantime active steps are\nbeing taken to locate Covalla in South\nAmerica and it is possible that ha wjj]\nJic brought back for trial.\nKENOSHA, WISCONSIN. JANUARY 8, 1914.\nSHOWS BIG INCREASE\nPostal Receipts of Kenosha\nPostoffice Jump $15,000 in\nthe Year of 1913.\nANNUAL HEPOfIT ISSUED TODAY\nPostmaster and Assistants Are Hopeful\nThat Kenosha Wid Supplant Green\nBay as Sixth in List of Postoffices in\nWisconsin in the Annual Report.\nAssistant Postmaster Michael F.\nZeus today .issued his annual report of\nthe receipts of the Kenosha postoffi.ee\nin the sale of stamps and this report\nshows that the year 1913 brought a re\ncord increase in the business of the\nKenosha postoffice. So great is the in\ncrease that the officials of the local of\nfice are of the opinion and entertain\nhigh hopes that Kenosha will supplant\nGreen Bay as the sixth office in the\nstate in the matter of stamp sales.\nKenosha jumped over Sheboygan in the\nreport made by Postmaster Welch of\nEau Claire, a year ago, and it is expect\ned that the statistics of the state ofiices\nto be issued some time this month will\ngive Kenosha another boost. This will\nmake it sixth with Oshkosh fifth\nand Oshkosh is so far ahead of Keno\nsha that it is feared that it will be\nseveral years before the Kenosha office\ntakes an upward step in the list of the\noffices of the state.\nThe increase in the postal receipts\nof the local office over the receipts in\n1912 is more than fifteen thousand dol\nlars, the largest increase ever showm in\nan annual report. The business of the\nparcel post system is reflected in this\nyear\'s business, but at that the busi\nness of the office for December is only\n$450 greater than the bigness of the\npreceding year. • I!LL-the fir#\nten thousand dollar month in the sale\nof stamps in the Kenosha office, the re\nceipts for the month of May passing\nthe ten thousand mark and being more\nthan $3,000 greater than the receipts in\nthe same month last year.\nThe report sent out this year com\npares the receipts of the office over a\nterm of eleven years. It shows that in\n1902 the receipts of the office (postal)\nwere $22,627.88, considerably less than\none-fourth of the receipts during the\nyear just closed. In 1907 the receipts\nhad jumped to $48,996.67; in 1910 they\nreached $63,855.69; in 1911, $75,361.42;\nin 1912, $83,503.38, and in 1913,\n$98,815.86.\nIt will be noted that the increase in\nthe sales for the last year was within\nseven thousand dollars of the increase\nin the five years from 1902 to 1907.\nThe monthly sales of stamps for 1913,\nas compared with 1912, are as follows:\n1912. 1913.\nJanuary $ 7,338.85 $ 8.591.51\nFebruary 5,518.16 7,244.83\nMarch 8,057.43 9,143.30\nApril 6,155.74 9,208,27\nMay 7,026.72 10,189.08\nJune 5,715.59 7,575.21\nJuly 6,812.44 7,768.93\nAugust 7,074.47 6,564.30\nSeptember 6,443.15 8,272.42\nOctober 7,168.76 7,339.26\nNovember 6,439.95 7,016.36\nDecember 9,455.12 9,905.39\nTotals $83,503.38 $98,815.86\nMUST CARE FOR HYDRANTS.\nWater Commission Would Put Fire Pro\ntection in Charge of Department.\nThe water commission at its regular\nsession on Tuesday night took steps to\nput all work in connection with the\nmaintenance of the fire hydrants under\nthe charge of the chief of the fire de\npartment. In order to make this pos\nsible the commission ds planning to in\nstall special taps, which may be used\nby patrons having contracts for street\nsprinkling and after these taps are put\nin the street sprinklers will not be per\nmitted to take water from the fire\nhydrants under any consideration. The\nmembers of the commission spent more,\nthan an hour discussing filtration plans\nbut nothing of a definite nature was\ndone. The commission expects to have\nits report on the proposed filtration\nplant ready for submission to the coun\ncil either at the next regular meet\ning or at the first meeting of the coun\ncil in February.\nSTORE CLOSED.\nOur store will be closed all day Fri\nday to mark down the entire stock for\nour big clearing sale which opens Sat\nurday, 9 a. m.\njßdwadv S. & J. Gottlieb Co.\nA number of Kenosha people will go\nto Johnsburg, near Fond <lu Lar, on\nThursday to attend the furu»ral of the\nlate Mrs. Joseph Lind’\nHAi- J MERRY TIME\nWaukegan Knights of Co\nlumbus Members Conduct\nBig Meeting in Kenosha\nBIDINGER LEADS INVADERS\nPostmaster Daniel Grady of Waukegan\nDoes Stunts for the Amusement of\nKenosha Members—Covers For 150\nat Banquet Which Followed Meeting.\nWaukegan and Kenosha members of\nthe Knights of Columbus made merry\nin Kenosha on Tuesday night when\nclose to fifty members of the Waukegan\nCouncil headed by Mayor J. F. Bidin\nger and Postmaster Daniel Grady came\nto Kenosha to be the guests of the\nKenosha Council. They came on a spe\ncial car and they came prepared to\ntake charge of all the proceedings of\nthe evening and when they marched in\nto the council hall the officers of the\nKenosha Council yielded their chairs\nto the visitors and all that the Kenosha\nmembers had to do was to spread the\nglad hand and accept the splendid en\ntertainment provided by the visiting\nknights.\nThe Waukegan team had charge of\nthe regular meeting of tht, council and\nafter the work was completefl Mayor\nBidinger was introduced as master of\nceremonies and for an hour the visit\ning knights put on an entertainment\nthat made the Kenosha members of the\norder sit up and take notice.\nThere were musical numbers and\nvaudeville stunts furnished by the vis\nitors and there were addresses breach\ning fraternal greetings by the Wauke\ngan mayor. Postmaster Grady, Louis\nDurkin, John Broderick. John Reardon\nand James Gallagher. Every one of the\nsp<nkcrs had to say. The\nWaukegan visitors urged a closer rela\ntionship between the members of the\norder in Kenosha and Waukegan, and\nspoke of the common interest of all in\nthe advancement of the Work of the\nKnights of Columbus. There were\ntoasts to the order and to its work in\ntwo of the great states in the union.\nAfter the Waukegan men had sang\nand talked themselves tired the Keno\nsha members showed that they were not\nlacking in hospitality and led the way\nto rhe banquet hall where a dinner was\nserved at which covers were laid for\nmore than 150. After dinner was over\nthere was more talking and more good\nfellowship. The members of the Ke\nnosha Council accepted an invitation to\nhave charge of the next meeting of the\nWaukegan Council, and an effort will\nbe made to have at least a hundred\nKenosha knights visit Waukegan on\nthat occasion.\nThis promises to be a banner year\nfor the Kenosha Council and already\nmore than forty applications have been\nreceived. It is planned to arrange for\nthe initiation of a class of more than\n60 members in about two months and\nthis class initiation will be made the\noccasion of one of the biggest gather\nings ever held by the Kenosha Council.\nBIG SUIT IS SETTLED.\nSIO,OOO Suit Brought by Angelo Copen\nAgainst Brass Co. Dismissed Today.\nIn the municipal cpurt this morning\nJudge Randall handed down a formal\norder dismissing the suit brought by\nAngelo Copen against the Chicago Brass\ncompany in which the plaintiff had de\nmanded damages to the amount of $lO,-\n000. The order for dismissal of the sun\nwas based on a stipulation of the at\ntorneys in the case which indicated\nthat the case had been settled out of\ncourt, but no facts in regard to the na\nture of the settlement were made pub\nlic. The attorneys for the defendant\ncompany had filed a demurrer demand\ning the dismissal of the action and the\nmotion was under consideration by the\ncourt when the notice of settlement\nwas received. Copen lost an eye in an\naccident at the plant of the company\nsome time ago.\nOUTSIDERS SEEKING JOBS.\nWorkmen Coming From Other Cities to\nTake Advantage of Prosperity.\nSpeaking in regard to the number of\nmen out of employment in the city, tba \\\nmanager of the Manufacturers’ Em\nployment bureau makes the statement\nthat out-of-town applicants are coming\nin much faster than they can be placed.\nDuring the first two days of the present\nweek the bureau received applications;\nfrom forty-two machinists, thirty\'\nwoodworkers, sixteen painters, besides\nnumerous other tradesmen. AH this\ngoes to show that the crowded condi- ■\ntion.of the labor market is due more’\nto the influx of outside mechanics than i\nL to idle people al home. t\nSEEK REBATE RELEASES.\nCity Attorney Draws Formal Release\nfor Market Square Paving Rebates.\nThe city officials are planning to ef\nfect an early settlement of the question\nof the payment of rebates for paving\non the south side of Market Square by\nthe, railway company and City Attorney\nSlater is bow drawing releases to be\nsigned by each of the property owners.\nThe city has agreed to pay to the prop\nerty owners one-half of the amount re\nbated by the company. It is claimed\nthat every property owner on the south\nside of the square with a single excep\ntion has agreed to sign the release.\nThe exception will probably be taken\ncare,of by the railway company. Mayor\nHead is anxious to have these releases\nsigned and in the hands of the company\nbefore the next meeting of the council\nin order that a final settlement of all\nthe troubles between the city and the\nrailway company may be made at that\ntime. The company has agreed to pay\nthe rebates under this plan.\nMAKES CERTIFICATE SPECIFIC.\nDr. Bernstein Writes in Eugenics Cer\ntificate that Test was Not Used.\nDr. M. A. Bernstein is taking no\nchance of laying himself liable to prose\ncution under the Wisconsin marriage\nlaws and on Tuesday afternoon when\nhe issued a certificate on which Sam\nStrumau secured a license to be mar\nried to Miss Mary Honda, in the cer\ntificate Dr. Bernstein filled out all of\nthe blank spaces but at the bottom of\nthe certificate he wrote: “Wasserman\ntest not need in making this examina\ntion.” Physicians of the city are\nkeeping a close watch on developments\nin connection with the law but it is\nunderstood that with an opinion of the\nattorney general relieving them from\nany serious responsibility that all of\nthem will issue the certificates when\nthey are applied to for them.\nSENDS A WARNING\nFederal Naturalization Bu\nreau Denies Authority of\nBook Sold te Alim,?.\nNO VIEWS OF HEAD OFFICIALS\nB. M. DeDeimar, clerk of the circuit\ncourt of Kenosha county and in charge\nof all naturalization work in this\ncounty, has received the following\nwarning from the department at Wash\nington. It is said that the book re\nferred to in the letter has had a wide\ncirculation io this city and county.\nTo Chief Naturalization Examiners.\nExaminers, Officers of the Naturali\nzation Service, Clerks of Courts ex\nercising jurisdiction in naturalization\nmatters, and others concerned.\nIt has been brought to the attention\nof the department that a publication\nentitled “Syllabus-Digest of Decisions\nUnder the Law of Naturalization of\nthe United States,” purporting to be\nthe work of Jerome C. Shear, chief\nnaturalization examiner at Philadelphia,\nPennsylvania, has been issued and is\nbeing advertised for sale by circular\nletters.\nIn order that the public may not*as\nsume, from the published position and\ntitle of the author, that the contents\nof said publication are, in whole or in\npart, an authoritative expression of the\nofficial administrative view, the depart\nment feels it to be incumbent upon it\nto disavow all responsibility for the\ncontents of said publication. The de\npartment advises all whom it may con\ncern that it alone has authority to de\ntermine whether an official publication\nshould be issued in relation to any law\nover which it has administrative super\nvision, or what, if such publicaton\nshould be issued, its contents should be.\nAll officers of the naturalization\nservice are directed to give this circu\nlar such publicity as may be necessary\nto counteract any misapprehension as\nto the character of Examiner Shear\'s\npublication.\nW. B. Wilson, Secy.\nAutomobile licenses for 1914 are uow\ndue but few of the machines pow being\ndriven on the streets are carrying the\nnew figures. After January Its any\nautomobile owner driving without the\nnew figures. After January Ist any\nbut the police will exercise considerable\ndiscretion in the matter of enforcing\nthis law for a week or two yet ami any\ndriver who can furnish satisfactory\nevidence that he has made application\nfor his new license is not likely , to be\npenalized for driving without it.\nGeorge Ela of Rochester for many\nyears a leader among the members of\nthe county board of Racine county, has\nresigned his position. He was chair\njnan of tie board for a number of\nOlde& Paper\nIn\nThe Northwest\nNUMBER 37\nASKS MORE FIREMEN\nChief Isermann Asks Coun\ncil to Add Six Men to th®\nFire Fighting Force.\nNEW STATION FOR WEST SIDE\nChief in Eighth Annual Report Show!\nThat There Were 99 Fires in Past\nYear With a Total Loss of $9,000.00\nFully Insured—Equipment Valuable,\nSix new firemen and a new engine\nhouse on the west end of Grand avenue\n! are the principal recommendations made\n; by Chief of the Fire Department Iser\n. maun in his eighth annual report of the\n\' department which has been filed with\n1 the city clerk and which is now being\n■ considered by the committee on firo\n\'department of the (ommon council.\nIn his report the chief urges very\nf sbongly the extension of the work of\n| the department along all lines. He de\nclares that to get the greatest ef\n| ficiency from the splendid apparatus\ni provided by the city that more men\n■ are necessary. He seeks to have added\nj men at each of the stations and men\nlto take care of a new station to ba\nbuilt next summer if possible. In addi\ntion to this the chief declares that the\nrebuilding of the fire alarm system is<\n! now a necessity. He holds that during\nI the year alarms have failed to come ini\non account of the condition of the ap\ni paratus at the city hall. His sugges\ntion is that the system be divided into\nsix circuits in order to make it easier\nto locate the breaks. At the present\ntime there are but two circuits. He sug\ngests the installation of a six circuit*\ni repeater and the exchanging nf the\nI nresent two circuit switch board for anj\nj C\'ght circtl L . board. JSit\'h changes\n•Auld no s <J; ,v f or |]j e\ndiate demands of the department, but\'\nalso for the future. He asks that the\ncity provine at once for the installation!\nof eight new fire alarm boxes. The’\ncouncil has already taken up the ques\ntion of the erection of a new station 1\non West Grand avenue and the mem\nbers of the council are divided as to\nthe necessity of such an expenditure at\nthis time but it is not improbable that*\nthe new house will be ordered before 1\nthe end of the present year. No ap\n\' propriation has leen made for the erec-\nI tion of the horse in the annual budget\ni of the citv. tut this is not a bar to the\nbuilding of the house as there was no\nappropriation made for the new build*\ning in the third ward recently com\ni pleted.\nThe annual report of the chief con\ntains a lot of interesting statistics. It\nshows that the value of apparatus own\ned by the city for fire purposes is well\nover $25,000 and that Kenosha has the\nonly complete motor fire service to be\nfound in the state of Wisconsin. The\nreal estate and buildings owned by the\ncity and used for the fire department\nare value at $50,000. The report shows\nthat during the year the department was\ncalled out ninety-nine times and of this\nnumber of calls but twenty were box\ncalls. The total loss on buildings and\nstocks during the year amounted to\n$8,820 and this loss was covered by an.\ninsurance of many times its amount.\nThe majority of the fires attended dur\ning the year were small blazes in which\nthe loss was less than SSO and the larg\nest loss reported was $2,000. This loss’\nwas entirely covered by insurance.\nThe financial report is interesting.\nIt shows thai the cost of maintenance\nof the department for the year was\n$29,946.47. Of this amount $14,712.52\nwas paid out in salaries to the members\nof the department and $7,518.65 was\nexpended for real estate and buildings.\nThe expenses for apparatus during the\nfiscal year amounted to $4,861.74, this\nbeing the amount paid for new appara\ntus after deducting the amounts re\nalized by the city by sale of old;\napparatus.\nIn his report the chief pays high tri\nbute to the work of the men under him,\'\ndeclaring that they have at all times\nbeen faithful to their duties and that\nthey have rendered most efficient’\nservice to the city.\nThe recommendations of the chief\nwill be taken up at an early meeting\nof the council.\nThe jury which heard the ei iilenee ia\nthe suit of John Stocker vs. Adam Win\ntieski and others, reached a verdict late\non Tuesday afternoon finding for the\nplaintiff and fixing the amount he should\nrecover at $65.25.\nThe Kenosha and Racinr high school\nbasketball teams will clash in the first\ngame of the season in Racine on Friday\nevening. It is expected that a big\ncrowd of the students will go up\n.see the', 'batch': 'whi_fanny_ver01', 'title_normal': 'telegraph-courier.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85040310/1914-01-08/ed-1/seq-1.json', 'place': ['Wisconsin--Kenosha--Kenosha'], 'page': ''}, {'sequence': 1, 'county': ['La Crosse'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn86086186/1914-01-09/ed-1/seq-1/', 'subject': ['La Crosse (Wis.)--Newspapers.', 'Wisconsin--La Crosse.--fast--(OCoLC)fst01207161'], 'city': ['La Crosse'], 'date': '19140109', 'title': 'Nord stern. [volume]', 'end_year': 1921, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Available on microfilm from The State Historical Society of Wisconsin.', 'Description based on: Jahrg. 1, no. 2 (6 Dec. 1856).', 'In German with some columns in English.', 'Supplements accompany some issues.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'La Crosse, Wis.', 'start_year': 1856, 'edition_label': '', 'ocr_ger': 'Der „Nordstern" ist\ndie einzige repräsentative\ndeutsche Zeitung von ta\nL rosse\n57. Jahrgang.\nSttliscii licMilst.\nBerufung von 24 Dvnamitern ab\ngewiesen; 6 erhallen neuen\nProzeß.\nChicago. Jll.. 7- Jan.\nTie Strafen von vieruiidzwanzig der\nin Indianapolis wegen Verschwörung\nzum ungesetzliche Transport von Ex\nplosivstoffen veruriheiltcn dreißig llnion\nbeannen wurden am Dienstag vom\nBundes > Kreisavoellativnsgericht in\nChicago, Jll.. aufrecht erhallen. Sechs\noer Berurihestlen wurde ein neuer Pro\nzeß willigt. Dieselben sind: O. A.\nTveitnivre, der bekannte Arbeiterführer\nau San Francisco. W. MacCain von\nKansas City. I. E- Ray von Peoria,\nR. H. Houtlhan von Ch\'cago, F. Sher\nman von Indianapolis, W. Bernhard\nvon Cincinnati. Da- Urtheil wurde\nam 28. December 1912 gefällt.\nTie Anwälte der vicrundzwcinzig\nTynamitverschwörer werden binnen\ndreißig Tage im Appellationsgerichl\neine Wiederaufnahme des Verfahren\naus G. und neuen BeweiSmcnerialS be\nantragen. Wenn dieser Antrag abge\nlehnt wird, bleibt der Vertheidigung\nnur noch übrig, im Oberbundesgerichl\nein rvrit c>L cerftorsn zu beantragen.\nEs heißt, daß die Bundesregierung\nbis zur entgüttigen Entscheidung des\nFalles nicht darauf bestehen wird, daß\ndie verurlhestten Arbenersührer, welche\nsich gegen Bürgschaft aus freiem Fuß\nbefinden, in s Gefängniß eingeliefert\nwerden. Tie heutige Entscheidung\nwurde von den Bunde Kreisrichtern\nKohtsaal, Baker und Seaman abgege\nben.\nPräsident Ryans Strafe\nbleibt.\nDie Strafe von sieben Jahren Zucht\nhaus, die gegen F. M. Ryan von Chi\ncago. den Präsiden des internatio\nnalen EisenarbeirerverbandcS, verfügt\nwurde, bleibt bestehen. Im Ganzen\nwurden seiner Zeit im BundesdistrikiS-\nGencht in Indianapolis in dem großen\nSensation-prozeß, dessen Anfänge aus\ndie Verbrechen der McNamaraS, haupt\nsächlich die Sprengung de Times-Ge\nbäude in Los Angeles im Jahre 1010,\nwobei einundzwanzig Arbeiter um\'S\nLeben kamen, zurückgehen, zweiunddrei\nßig Arbeiterführer zu Zuchthausstrafen\nverurlheill; zwei haben keine Berufung\neingereicht, von den übrigen dreißig\nwurden im BerusungSversahren vier\nundzwanttg gegen je zehntausend Dol\nlars für jedes Jahr ihrer Strafe zeit\nweilig auf freien Fuß gesetzt; die übri\ngen sechs befinden sich noch im Bundes\nzuchihauS i Leavenworth, Kas.\nBedeutende Legate.\nBaltimore, Md., 7. Jan.\nVon den Cottimbusrittern der Ver.\nStaaten wurde am DienSiag Cardrnal-\nErzbtschof Gibbons in Baltimore ein\nCyeck für eine halbe Million Dollars\nübeigeven für die katholische Uiilversität\nin Washington.\nI. A. Flaherly von Philadelphia,\nSupreine Knighi des Ordens, über\nreichte die Gabe im erzbischöflichen\nPalais im Beisein Monsignore T. I.\nShahans, des Präsidenten der katho\nlischen Universität in Washington, und\nverschiedener Mitglieder der Fakultät\nDie Summe, die von den Cotumbus\nrillern im Lauf der letzten vier Jahre\ngesammlt wurde, ist dazu bestimmt,\nfünfzig Stipendien für Studircnde an\nder Universität zu schaffen.\nEin kürzlich in Baltimore verstor\nbenes Fräulein Eliza Andrews hat in\neinem am Dienstag im Nachlaßgerichl\ndort eröffneten Testament Cardinal\nGibbon mit einem Legat von gegen\ndreibundeniausend Dollars bedacht;\nder Cardinal hat erklärt, er werde das\nLegal für Umerrichtszwecke verwenden.\nEinstellung verfügt.\nChicago, Jll., 8. Jan.\nDer Unterricht über GeschlechlS-Hy\ngiene in den hiesigen öffentlichen Scku\nken wurde am Mittwoch von der E\nzrehungsbehörde mit 13 gegen 8 Stim\nmen abgeichasft. Dieses Unterrichtsfach\nwurde aus den Wunsch der Superinieil\ndenlin, Ella F. Uoung, im letzten Schul\njahr eingeführt. Frau Poung -.hei\nlig:e sich an der heutigen Diskussion\nnicht. Tie Resolutton wurde \'in er\nsten Votum angenommen; gegen die\nAnnahme stimmten u. A.Tean Jumner\nvon der St. Peter und Paul Kalbe\ndrale. Frau Gerlrude Howe Britton\nund I. Clemenson.\nkb-O\' Bräune- und Hustenmcdizin.\nDie Bräune ist eine gefährliche Krank\nheil; dieselbe greiit die Kinder so plötz\nlich an, welche hierdurch einen Stickungs\nansall haben können, wenn sie nicht so\ngleich ein passendes Heilmittel erhalten.\nEs gibt nichts Besseres in der Welt wie\nTr. Krng\'s New Discovery. Lewis\nChambertain von Manchester, Odw,\nichreibt bezüglich seiner Kinder: „Ei\nnigemal während der schweren Anfälle\nwaren wir schon bange, daß dieselben\nsterben würden, aber sei: wir die Sicher\nheit haben, welches zuverlässige Mittel\nTr. King\'s New T scovcry ist, haben\nwir keine Angst mehr." 5 w und Kl.oo.\nEine Flasche soltte in jedem Haittc sein.\nBei allen Bpvlheksrn. H. E. Bucklin\nL Co.. Philadelphia oder Sr. Louis.—\nj Heraurgeqedkn voo der -\n- Nordstern Asjociatiou, Lr Troste. Vir. >\n25 crttmikcil\nAcht Atcknn des Tankdainpfers\nMklahonick von einem deut\nschen Schiff gerettet.\nNew ?)ork, 6. Jan.\nTer Tankdampser Oklahoma ist am\nSonntag früh 7 Uhr aus hoher See\nsüdlich von Sa.-dy Hook in zwei Stücke\ngebrochen, wobei ein großer Theil der\netwa vierzig Mann starken Besatzung\nerirank. Der hiniere Theil de Schis\nse. in welchem sich die Maschinen und\n32 Mann besande, sank augenbticktich\nrn die Tirse. Acht Mann wurde von\ndein Dampfer Bavaria von der Ham\nburg-Amerika Linie an Bord genom\nmen, dessen Capitän außerdem erklärte,\ner habe gesehen, daß ein Rettungsboot\nder Oklahoma mit zehn Mann an Bord\nvom Wrack abgefahren sei.\nEin Zollkuiler ist abgeschickt woroen.\num da Wrack in Schlepptau zu neh\nmen oder zu svrengrn.\nSpät am Abend traf die Nachricht\nein. daß der Zollkuster Seneea ein Ret\ntungsboot der Oklahoma ausgefischt\nhabe, in dem sich die Leichen von vier\nMännern befanden, die wahrscheinlich\ninfolge der Unbilden ihren Tod gesun\nden haben.\nNew Pork. 7. Jan.\nDreizehn Ueberlebende des letzten\nSonniag im Slurm bei Barnegat ge\nsunkenen Tankdampsers Oklahoma\nwurde DienSiag in New Aork gelan\ndet. Awr trafen aus dem Dampfer\nBavaria von der Hamburg-Amerika-\nLinie und fünf aus dem Tau Pier\nGregory von der Booth-Linie ein. Die\nRettung der Schiffbrüchigen erfolgte\nunter den größte Schwierigkeiten, da\ndie Wellen haushoch über da Deck\nschlugen Fünfundzwanzig Mann von\nder Besatzung der Oklahoma werden\nvermißl und sind ohne Zweifel sammt\nund sonders ertrunken.\nTer Trachieiiwcchscl in China.\nWie sich die LtcreuropSisirrnng ec\nKlcidunz vollzielit.\nSeitdem China Republik ist, tra\ngen die Söhne des Himmels aus Be\nfehl der Negierung europäische Klei\ndüng. Besonders kraß ist die Wir\nkung der neuen Kleidervorschrist an\njenem Oktobertage des Jahres her\nvorgetreten, wo die Prä\nsidcntschast mitrat. Es liegen darü\nber recht erheiternde Berichte vor. Tie\n„verbotene Stadt" mit ihrer Farben\npracht bot sonst bei festlichen Gete\ngenheiten ein herrliches Bild, man\ndenke an die bunten, Lrokatenen ober\nseidenen Fcsigcwänücr, an Pccten und\nStickereien, und sielte sich vor, daß an\nStelle dessen das eintönige Schwarz\nder e\'.iropa.chcn Kleivung getreten ist.\nAllein, was für eine europäische Klei\ndung! Die chinesischen Schneider\nhatten sich gewiß aste erdenkliche Mühe\ngegeben, ihrc Landsleute richtig aus\nzuputzen, allein gelangen war cs ih\nnen nicht: von oben bis unten steck\nten die Chinesen nicht in Kleidern,\nsondern in Karikaturen von Kleidern.\nNatürlich trugen sie Zvtinderhüte, Zy\nlinderhüie in jeglicher Hohe, nur inchl\nin der in Europa üolichen, aus zeg\nlichem Stoff, nur nicht dem, den die\nAbendländer dazu verwenden. Und\nwie man einen Zylinder zu tragen\nhat, wußten sie natürlich auch nicht.\nEinige hasten ihre Behauptungen bis\nauf die Ohren heruntergezogen, an\ndere suchten sie unmittelbar über den\nAugenbrauen im Gleichgewicht zu\nhalten, vielen aber spielte die An\nziehungskraft Ler Erde einen argen\nStreich unv z>rng sie fortgesetzt,\ndurch Nachhelfen mit den Händen das\nverlorengehende Gleichgewicht aufs\nneue wieder h-rzustesten. Ler fest\nliche Tag war nämlich windig und\nregnerisch.\nTie Fräcke und Gehröcke, die die\nChinesen trugen, paßten vollkommen\nzu diesen Hüten: man sah solche aus\nglänzend schwarzem Alpakastoff. aus\nSeide und allen möglichen anderen\nGeweben, nur nicht aus Kammgarn\nunv Tuch, wie im Abendlande. Bon\neiner „Fasson" im Sinne eines eu\nropäischen Schneiders war auch nicht\nallzuviel zu entdecken, denn die Grö\nßenverhältnissc der einzelnen Teile\nzu einander waren meistens mißlun\ngen, und man sah Nocke, die lächerlich\nkurz waren, uno anocre, deren Schöße\nbis aus die S:.: :I hingen.\nAm meisten , cywierigteiten hasten\naugenscheinlich K:.- cn und K.-nvatte\nbereitet. Man iah Kalilokragcn in\nden merlw!!" \'neu Formen, einige\nhatten fertig Krawatten an\ngelegt unv oen Kragen darüber ge\nbiinve:\', und die, oie die Kragen rich\ntig mit Knöpfen festigt basten, bat\nten auaenschrinlick hierzu soviel Müde.\nZeit riid etlichen Schweiß gebraucht,\ndaß von der urstrünglichcn Reinbeit\nunv Wohlgeformtheit nichts mehr\nübrig geblieben war. Natürlich gab\ncs auch Ausnabmen. denn de: cer\nHeierlichkest waren ja eine Reihe von\nCbinesen anwesend, die im Au-! ndr\ndie abendländische Tracht kenn.:: m\nlernt barien und da.ber karret: ange\nzogen waren. Der Präpven! leibn\ntrug die Uniftrrn eines Frida \'\nschall- und sott in dieser \'ehr aut\nausgesehen haben. Nur der Degen\nwar ihm im Wege.\nEntscheid ablscuiicsc.\nIstcrusuiig gegen das Miseonsiner\nEinkonrinensteuergesetz wurde\nabgewiesen.\nWashington 8. Jan.\nDa Oberbunbesgerick, in Washing\nton wies am Monrag einen Berusungs\nfall gegen da staaltiche Obergerrchr von\nWisconsin ad. indem die Umerrnstanz\nda WiSconsiner Einkoii>men>reurrgeietz\nvom Jahr- 1911 für verfassungsmäßig\nerklär. DaS OberbundeSgerickl au\nßene fick nicki über die Kütt\'.gkeu de\nGe\'etzes überhaupl und degründeie seine\nAbwe\'sunz der Angelegenhcil ist Fra\ngen der JuriSdiklion.\nEine andere Entscheidung de ober\nsten Tribunals war die, daß die Ein\nelstaolen das Reckt haben, ihre Burger\nfür Aktien von Gesellschaften, die in\nanderen Staaten gelegen sind, zu be\nsteuern. und zwar zum Pariirerih der\nAktien.\nDa Obergcricht stieß ferner am\nMoniag eine Entscheidung des Bundes\ngerichts in New Port um. in der die\nBundesregierung verloren hatte; es\nhandelte sich um eine Anklage gegen\neinen New Porker Hotelier Namens\nI. B. Regan wegen Ueberireiung des\nConiraklarbeitergesktzes; die Unienn\nstanz haue entschieden, daß der Regie\nrung die Peweislast zufalle, was vom\nOberbundesgerichl verneint wurde.\nRätselhafte Naturerscheinung.\nLüswasieroucllkn an verschiedenen Ziel\nten des L^cauS.\nTie Tatsache, daß Quellen süßen\nWassers hier und da auch am Boden\ndes Meeres emporsprudeln, war schon\nden Alten tamit, obgleich solche\n\'Vorkommnisse, soweit wir wissen,\ndoch nur verhältnismäßig selten sind.\nEine reichhaltige Zusammenstellung\nderselben hat erst Dr. F. I. Fischer\nin den Abhandlungen der Geographi\nschen Gesellschaft in Wien gegeben.\nHiernach zeichn.n sich besonders d:e\nnördlichen Gestade des Miticlmecrs\ndurch submarine Quellen aus. In\nden Buchten von EanneS und Antivcs\nsowie vor der Mündung des Var sin\nden sich untermeerische Quellen, die\nsich bei ruhiger See durch Aufwallen\nverraten. Auch in der Umgebung r\nRhonemünduiigkn treten submarine\nQuellen und oft in beiräckttichec\nTiefe auf. Die mächtigste ist die von\nPort Miou bei Cassis, sie bricht aus\neinem der 2 Quadratmeter großen\nFelsentore mit solcher Gewalt hervor,\ndaß sie an der Mccresorftäche einen\nStrom hervorruft, der schwimmende\nGegenstände oft über 2 Kilometer weit\nforttreibt. Im Golf von Spezia gidt\nes eine Anzahl zudmariner Queucn,\nvon denen ine so mächtig ist, daß sic\nan der Oberfläche der See einen\nWafferhügel erzeugt, der für kleine\nFahrzeugs unnahbar ist. Zahlreich-\'\nuntermeerische Quellen gibt es längs\nder Küsten von Istrien und Dalma\ntien.\nWenden wir uns nach Amerika, \'o\ntreffen wir auf die auch von Hum\nboldt geschilderten gewaltigen Süß\nwafserqucllcn in der Bucht von Ta\ngua und Kuba. Sie treten mit gro\nßer Kraft an der Meeresoberfläche\nhervor, und bisweilen ergänzen dort\nSchiffe ihren Vorrat an Süßwafler.\nZwischen den Rissen, welche die höh\nlenreichen Bahama-Jnseln umgeben,\nquillt klares, frisches süßes Quell\nwasser empor, das um so reiner und\nkälter ist, je tiffer e- geschöpft wird.\nZur Zeit der Ebbe kann man die\nQuellen deutlich sehen und das Was\nser da schöpfen, wo es aus dem Bo\nden emporsprudelt. In der Nähe der\nInsel Saba in den Kleinen Antillen\nwurde mitten im Meer das Vorhan\ndensein einer bedeutenden Süßwasser\nmasse entdeckt, die in konzentrischen\nKreisen vom Meeresboden aufzuquel\nlen schien. Nahe der Küste von Uuka\ntan gibt es untermeerische Tüßwasser\nquellen, die ihrc Wasser nicht in\nschmalen Becken mir einer gewissen\nGeschwindigteit ausströmen, icnstern\ngewissermaßen ausgebreireicn Seen\ngleichen, die keine merkliche Strömung\nzeigen. Diese Sützwassermaffrn schei\nnen landeinwärts eine große \'Ausdeh\nnung zu besitzen, denn dort befinden\nsich natürliche Brunnen, zu denen die\nAnwohner aus Leocrii durch küu\'ilicke\nund natürliche Schächte bina:steigen,\num sich den Bedarf an Triiikwasser\nzu holen.\nEine merkwürviae hierhin gehörige\nErscheinung sin! stch Lei Reclus.\nIm Januar 18.17 war das ganze\nMeer an der Südspitze von Florida\nder Schauplatz eines acwastigen Süß\nwosser Ausbruch-. Gelbe, schmutzige\nStröme durchkreuzten di Meerenge\nund tote Fi\'che schwammen zu Myria\nden an der Oberfläche. In manchen\nStellen schöpi\'ien die Fischer ibrTrink--\nwasser aus dem Meer wie aus einem\nFluß. Tie Beobachter dieser merk\nwürdigen Uebersckwemrnungen durch\neinen unterseeischen Fluß behaupten,\ndaß im Verlaut vcn etwas mehr als\neinem Monat der Fluß mindestens\nebensoviel Waffe lic>c:te wie ö.- Mis\nsis\'ippi. Wor die!: ungeheure Süß\nwanermenge stammte, und welches die\n".n,: ittelbare Ursache ihres Ausbruchs\nwar. ist völlig rätftlbait.\n2a Crosse, Wis., Freitag, den Januar 1.\nGrucral Äcicriikt.\ni\nJose -Nancilla floh aus rNji„aga\nüber die amerikannchc\nGrenze.\nPresidio. Tex >. Jan.\nGeneral Jose Man. ciner der\nhervorragendsten Kommandeure der\nmexikanische BundeSarmee ist Mitt\nwoch deseriirr. In Bczienung seines\nSohne, der den Rang cincs Haupt\nmannes in der Huertaschen Armee in\nnehatte. überschritt er von Oiinaga aus\ndie amerikanische Grenze und wurde von\nder Grenzpalrouille sestgemiinneii. An\nfangs gav er den EinwanderungSbc\nanilen gegenüber einen falsche Namen\nan. d.ch schließlich gestand er \'sttajvr\nMcNamee, dem Befehlshaber der ame\nrikanische Truppen, ein General Man\ncrlla zu je ic. und ersuchie um ein Asyl\nin den Ber. Staaten. Er wird di zur\nEntscheidung Brigadegeneral Bliß\' in\nHast hasten.\n! Mancilla ist der erste Offizier von\ntliang, der von der Hueriaichen Slru\'ee\nf deseriirt ist. wen auch schon vor ihm\nzwischen dreihundert und vierhundert\nj Sotdaien die Fahne verlassen halten,\nj Gen. Mancilla gehörte der regulären\n- Armee an und ist als Haudegen be\n- kannl. Er war crn warmer Belurwo\nler des Huenaschen RegmieS und hal\nviele Schlachten gegen die debellcn ge\nschlagen. Zusammen „ul General\nMercada war er aus CH huahua nach\nOjinaga geflohen.\nAbberufung beställgr.\nIn einer amtlichen Depesche von der\namerikanischen Botschaft in London an\'S\nSlaalsdeparlemenl in Washington wird\ndie No stricht bestätigt, daß die britische\nRegierung beschlossen Hai. ihren gegen\nwäriigen Gesandten in Mexiko. Sir\nLionel Carden. nach Rio de Janeiro zu\nversetzen.\nFiinsmidsicbzili todt ?\nBeim Untergang eines Uoots im\nFraser River in Uritish\nLolumbia.\nWinnipeg. 7. Jan.\nFünsundsiebzig Arbeiier der Gr"d\nTrunk Pacific-Bahn kamen in dem\ngefährlichen Fraser-Fluß in Bristsh-\nEolumbia ums Leben, als ihr Boot an\neinem Felsen scheiterst Füniundzwan\nzig v"n den Leuten, d.e auf dem 800 l\nüber den Fluß gesetzi werden sollien.\nenlkamcn mit dem Leben, alle mehr\noder weniger schwer verletzt; da Un\nglück trug sich in der Nähe von Fon\nGeorge, B. C.. zu. und die Nachricht\nwurde von einem der Ueberlebende.\neinem gewissen Angela Pugstese, der am\nDiknslag Winnipeg. Man., erreichie,\ndorihin überbrachi.\nMeldung wird nicht ge\nglaubt.\nVancouver B. C., 7. Jan\nDie aus Winnipeg kommende Mel\ndung, daß 75 Arbkoer der Grand\nTrunk-Bahn im nördlichen Theil von\nBriliih Columbia im November um\ngekommen seien, wild hier nicht ge\nglaubt, und c wird darauf hingewie\nsen, daß der Wassersland de Frazer\num diese Zeit äußerst niedrig ist.\nZ:i!,npsle.ze b. m Miliiar.\nDe: > crsiaiSen: fr c.ere Gouverneur\nvon Ostafrika und preußische Ge\nsandte stet den H.nsaslädreu Grus\nGoetzen hat in sei:-n Berichten -in\ndem spanisch-amer-, ruschen Krieg,\nden er als Obrrleuü\'.anl im 2. Gar\ndc-Ulanen Regimen! und Bertreie:\ndes deutschen Heen-: -nitmachie, wie\nderholt dff Zahnp\'lktt unter den aine\nritanischen Soldaten, auch im Felde,\nbetont. Graf Goenn erzählt, daß\ner bei Santiago de - bu ganz Reai\nmentcr habe vorbeinehen sehen, de,\ndenen jeder Mann eine Zahnbürste\nwie eine Feder dürr as Band seine;\nHutes durchgesteckt \'ageu habe. In\nden Biwaks sei, fest \'! wenn die Seife\nzum Waschen gef:!\'\' .mite, das Zäh\nneputzen von keinen ann außer ack t\ngelassen worden. > > französiscler\nBeobachter hat spä: ine ähnliche lie\nvolle Mundps-e - u der K\' \'\nflotte Uncle San dachtet.\nDas französi\'S -arineminifteri\num hat dies ameru che DDpiel für\nso gut gehalten, durch Beieh!\nvom letzten Frist allen an Bor"\neingeschifften M u ans Staat -\nkosten Zahnbii \' \'iffirt ivor ---\nfind. Schon i: r Hai sich her\nausgestellt, d.\' nhygirnitch \'\nFranzose an- - noch nickt a->\nmoderner Höh. Die Lieferun:\noer Zahnbürsten Tchiffsbemai\'-\nnungen ist näi! miängst wie: \'\neinzefiellt wordc: l an erkavn:\nbatte, daß dies t crkputzzeua\nnen Beritt rfilst mdem die sr-n\nzöslschen Matrr>\'- - e Bürsten wie\nwenigen Am:n \' nur zum\nReiniaen ihrer e und Mütze\nnübk bade: \'\nIn TeutiLk" -w" im H-e\n-u.-d in der Flc: Zahnbürfie\nden Gcaenflände." der Restnt an\nschanen muß; e auf die Za! -\npflege großer er Nickel Wer! g\nlegt.\nLtrcik- Vorlscichillilc.\n!\nlOcster c>s Dinners\nwar ursprünglich\ndaczeaen\nHoughivn, Mich. 8. Jan.\nDer Sireik der Bergoldeiicr im\nKupserdistiikl des oberen Michigan,\nwelcher am 2!. Juli Ictzren Jahres an\ngeordnet wurde, stieß urspri glich aus\nWiderstand bei den Beamten der n eiiei\nFederation oj Miners >v:e Gouverneur\nW. N. FerriS am Mittwoch von Per\nlreiern der Union erfuhr.\nDie Berneier der Llreiker belonten\nemphatisch, daß, nachdem der Sireik\neinmal durch eine Reserendliiiiabstim\nlung mir 7880 gegen 125 Stimmen\nbeschlossen worden war, die Beamten\nder Univn inchl über Kompromißvor\nschlage beschließen konnien, daß solche\nvielmehr der Bestätigung seilen der\nMitglieder bedursien, und daß somil\niveder O. N. Hitton, Anwall der\nUnion, noch Charles H. Moyer, Präsi\ndeiil der LLestern Federalion os Moier,\ndie Machl hatten,dem Sireik Einhaltzu\ngebieten.\n! Aus die Frage de Gouverneurs,\nweshalb die nationalen Beamten der\nUnion gegen Streik gewesen seien, al\nivorleicn diese, sie hallen die gethan,\nweil sie sich bewußl waren, daß ein\nStreik 11 stimmen verschlingen würde,\nund die allgemeine Lage aus dem Ar\nbeilsmaikt im Lande derart war, daß\ndie Zeit nicht geeignet war stir einen\nKamps der Arbeuer gegen Kapital.\nDie Löhne der Bergleute.\nBor dem Gouverneur erschienen am\nMittwoch zahlreiche Bergarbeiter, die\nvom 15. Lebensjahre an in den Gruben\ngearbett.-t haben und jetzt 15 biS 25\nJahre uwer der Erde lhcstig sind. Nach\nihren Angaben verdienten sie al-\nJungeu -18 bis 40 und als Bergar\nbeiter -52 bi ?90 pro Monat. Sie\nwic>en jedoch daraus hin, daß die elften\nMonate sehr festen sind. und daß ihr\nBerdienst durch die Einführung der\nKontraktarbeil bedeutend geschmälert\nwerde.\nIm Kupserdistrikt leben gegrnwö.iiq\n9815 Bergarbeiter, von denen 7710\nvon der Union finanziell unterstütz!\nwerden. Ungefähr 3000 organisine\nBergarbeiter haben den Distrikt ver\nlassen.\nNach Schluß de BerhörS der Berg\narbeiter erklärte der Cwuverneur, er\nwerde die Grubenbesitzer vernehmen\nund den Streitern dann da Resuliai\nder Berbvre mittheile. Ganz gleich,\nvb er nach Anhöien der Grilbenbesitze,\nin der Luge zei. einen Ausweg zu si i\nden oder uicktt. werde er sie von seiner\nAnsicht in Kennttiiß setzen.\nLchwkie 2\'cschnldMlist.\nEtvcago, 6. Jan.\nBor der staatlichen .\'ilbeilSkommission\nnon Illinois würben am Moniag Be\nschuldigungen erhoaen, daß gewisse hie\nffae SlrlleiivermittlungSagrnttiren junge\nMädchen an unordrililiche Hauser, zwei\nseihasie Theater und zweifelhafte CasrS\nerschlichen Halle Im Ganzen wur\nden in dieser Hinsicht über dreihundert\nBeschwerden eingereicht, von denen sich\ndrei ndzmanzig gegen SleUungSagrni\nrcn richten; einer Theaieragenlur wird\nvorgeworfen, junge Mädchen nach un\nordentlichen Häusern in New Orleans,\nMilwaukee und anderen größeren Städ\nten des Landes verschickt zu haben.\nTurch den Plinlimnkaiilrl.\nColon, 8. Jan.\nDa erste Tanipsschiss hat am Mitt\nwoch den Panamakaiiol pasffrl. ES\nwar der Krandampser Alexander La-\nValley, der an der allanttichen Küste\nmil seiner Arbeit begann und sich lang\nsam bis zum anderen Ende des Canms\ndurckgearbeuel hal. Passagiere beson\ndkii sich nicht an Bord.\nNrne Art der Eidaiistanittig.\nBei im Winter durchzuführenden\nErdarbeiten verursacht der Frost häu\nfig große Schwierigkeiten und be\nträchtliche Kosten, da in den gefröre\nneu Boden die Aushubwerkzeuge nicht\neindringen könncn. Bei einem Schien <\nsenbau bei West Liberty tat man nun i\nt.n vergangenen Winter ein neuart!- i\nes Verfahren zum Austauen des bis j\nu 4 Zoll tes Mrorcnen Bo\n! aens angeivendet. an besten Härte na-\nj turgemüst, aste Berfuche der Trocken\n! iiac -er und Dampsschauieln scheite: : !\n1,;..,.ß1;n. Auf den gefrorenen Boden\nj murre il \'endlichen Stücken zerkkei\nj n-rter. ungelöschter Kal! gebracht, der >\nf - :t Srr.M. Heu. MB. Brettern und ,\näknst st::\'. \'ckSchinl Wär:ne!circrn ab\nzedeck! un nur reichlichen Mengen >\nWon rs brgoff.\'n inurve. Die beim !\nLöschen des Trltes kma entwickelnde\nWärme mu\' e \' \'red >e Abdeckung\n! nirksan: gen.. S n ck.en nach außen !\nj aekchübt. formst \'". ie Erdober !\nf fläche auftaute und so dem sich er :\n"ärmrrEen WO-\' kste.\'erenheir gab.\n! ueier und tiefer in den Boden ein -\ni w.\'\'-ringen r,nd idn rüst r aufzuwri :\n! DieÄu>il d e r D o v d a i\'Ur\nj-- ohner von Ecr.\'cni te ::t nrr 2 i\n- n ncuesGsetz in clruauay\n! Ebesr.r.t ein einsciiZesSchei\ni oungsrechl, -\nblickst von Rcntcr.\n!\ncsftl\'l zu, an die perwenduna ran\nJtaschiiieiiaeivehien in Labern\ngedacht zu liak\'eii.\nSiraßburg 8 Jan.\nOberst von Rcuiec vom \'.9. Jn\nsamelieteginieni, der am Mittwoch we\ngen der bekannlen Bviginge in Zidern\nwieder vor dem Kriegsgericht in Siraß\nburg stand, gab zu, daß er die Mög\nlichkeit i\'s Auge g \'aßl habe. auf die\n, Beihöhnling des Miliiärs durch die\nmit seinen Mnschlnengcivrh\n.re zu antivonen. Poiizeiconlmisiär\nMaller von Zaber sagte nnier Eid\naus, daß der Oberst ersucht worden\nsei, seine Patrouillen einzuziehen, da\n! ihre\'Anwctenheit aus den Straßen die\n: Erbitterung der Einwohner nur noch\n! steigere; der Oberst habe dies jedoch\nkurz mil dem Bemerke abgeieh:, cr\nf habe letzt da Eommando. Aus de\n> Einwand, aast die Civilisten doch nichis\n! weiter ihaien, als herumstehen, hake der\nj Oberst eiktän, er werde diesem Herum\nstehen um jede Preis ei Ende ma\nche. er lasse rS sich nicht gefallen, baß\nda Miliiar in dieser Weise verhöhnt\nneide, und er werde nöihigcnfalls den\nBriehl zum Scharfschießen gebe\nDer Oberst selbst gab zu, Maschi\nengeivehie aus den Straßen postirl zu\nhaben, um gegebeneiiwlls aus die Bür\nger zu cuein.\nEi Banlkassirer von Zaber sagte\nvordem Knegsgerichl aus. Leulnaitt\nSchadd von 99. Jusaitteriereglinent\nhabe ihn jestiuhnien lassen, trotzdem\ner weder gelachl och sonst irgend etwas\nUngehvtigeS gnha habe. Zwei Sol\ndale jaglen zugunsten des LeulnantS\naus, der Bankkassiret habe gelacht oder\nmindestens eine lächerliche Grimasse ge\nschnitten.\nTetranitranilin.\nName eine neue In England ent\ndeckten Sprengstoffs.\nIn der militärischM Sprengtech\nnit und in der Geschoßfabrilativn ge\nlangten bisher bet säst allen Staaten\nÄitrinsäure und seit kurzem auch\nTrimtclolucl zur Verwendung. Der\nlctz.e Sprengstvjj hatte sehr rasch ein\ngroßes Verbreitungsgebiet gesunden,\nda er der Pitrinjuiire an Enrengtrafi\nnur wenig nachsieht, große Uncm\npfindlichtcit gegen schlag und Stoß\nbesitzt und vor allem leine sauren Ei\ngenschaslcn hat, so daß die Bildung\nexplosibler saurer Salze auch bei\nbauernder Berührung mit Metallen\nausgeschlossen ist. Diese Eigenschaft\niiiacyt ihn zur Verwendung cos Gra\nnatsulttiag besonders geeigiicl.\nRun ist vor kurzem in England\nein neuer Sprengstoff eiildectt wom\nde, der ähnliche Eigenjchasteii aus\nweist wie das Trimirotottiol, in ein\nzelnen Pnntten dieses sogar noch\nübertrifft. Es ist das Tclianitrani\nliu: Es wirb gewonnen, indem Di\nuurovciizol mil Nalriumbisulfai und\nWasser zu Metanitronilin reduzier!\nwird, das, ohne daß eine vorhergc\n! l/cndc cinizung erforderlich ist. mit\nSalpeter- und Schwefelsäure Weiler\nbehandelt wird, wobei dann das\nTetranitranilin in gelben Kristallen\nausgeschieden wird. Doge werden\nfillri rt, gewaschen und bc\' \') Grad\nxetrocknet. In pulverisier\',n Zu\nstände hat der Sprengstoff eine in\ntensiv gelbe Farbe.\nDer Schmelzpunkt des Teiranitra\nnilins ist höher als der der\nPikrinsäure, die bei 122 Grad E.,\nund des Trinitrotoluols, das bei et\nwa 80 Grad schmilzt, und ist von\nder Art der Erhitzung abhängig. Tie\nZersetzung erfolgt bei 210 Grad <).\nDie Berpujsungstemperatur liegt bei\n222 Grad E\'., während die beiden\nanderen Sprengstoffe bei 180 Grad\nverpuffen. Das Tetranitranilin\nverbrennt und verpufft ohne Rück\n> stand, während Pikrinsäure und\nTrinitrotoluol mil stark rußender\nFlamme verbrennen und mit dunk\nler Sprenawolte detonieren. An\nDichte wie an Sprengtrast übertrifft\ni bas Telranilraiiiun die bcioen an\n\' deren Sprengstoffe nicht unerheblich.\n! Auch die Telonationsgeschwinvigtrit\nscheint nicht geringer zu fein. Alle\ndiese Eiacnschuflen machen den Stoff\nbesonders geeignet zur Füllung von\nSprengkapseln und Zünc-rvhren.\nAllerdings ist ras Dciraniiranilin\nin reinem Zustande zur Füllung von\n, Granaten und Sprengkörpern wegen\n\' seines Holxen Swmelzpuirlies nicht\n! r \'wendbar. Tagege scheint eine\nj Beimischung des Stosses zu Fiillun-\nE gen an. Trinitrotoluol oder s\'-\'in\n! säure graste B iwilc zu bieten, de,in\n. die D-eton!:?:.fahigteit dieser Stos\n. sc wird dacu.,9 erheSich ae\'teigerl.\nSchließlich lie : öle Verarbeitung\n\' de- Tetranitta\' d nr zu einem Treib\nmittel für Fem.\'cw.-\'ken nicht außer\nNi Bereich der Möglich! it. So\nvereinig! de" neue Sprengstoff eine\nReibe von Eigenschaften, die ihm\nauch von miütäriicher Scoc Beach\ntung sichern werden.\nScherzfrage. WaS ist ei\nr.c schwebende S^uld?\n( uoj;og;snl ui^-\nri,e „Nordstern\'-Zerrnn\ngen haben -i, Geschichte\nvon La Lroste nicht ira\nniitschreiden sondern mit\nmachen helfen.\nNummer Ni.\nMacht sich iiliclicdt.\nDie deutsche Presse selir .ttizlifrrede\nul dem Kronprinzen ive.zen\nseier A„dczettunaen.\nBerlin, 7. Ja\nKronprinz Friedrich Wilhelm jähr\nsoll, sich denn deulichen Bolle uldtt\nzu machen; seine Telegramme, dre x\nanläßlich der Zabeier Mare an\nneraUeulnanl von Deimling, den loirr\nmandirenden General in Siraßbur z\nund an Oberst von Revier, den Kom\nmandeur der Rc>inndueunziger.\nkürzlich wegen bc,agier Borgänge von\nZaber ivegverlegt wurden, richtete\niverden in den Beriiner Tageszeitung\nsehr scharf krilisirl.\nDie freisinnigen Blätter bedauern ,\nihren Leitartikeln, daß der Kronpriuz.\nder unzweiselhasi demokraiischc Neiguu\ngen habe, jedes Mal. wenn er sich >\npolnische Angelegenheit miielie. das\nBolk vor de Kops stoße; di liessen\nden Zeilungen siihren vier aus der tetz\nlen Z il stammende „Enigleisuiigen"\ndes Kronprinzen aus: Sei Angriff\ngegen Ge,hard HaupiniannS Jahrh,\ndertsesliplel; seine Billigung der ein\nschieden aniivririscheii Rede des konier\nvaiiven Abgeordneten von Hendebrand\nim November tlilt, seine Oppasiiiv\ngegen die Thronbesteigung seines Schwa\naei. des Prinzen Ernst August non\nE umberland in Braunschiveig und dann\nseine Telegramme anläßlich der Zaber\nec Affäre an die dortigen Militärbe\nhörden.\nUeber die Ictztgenannien drei Fälle\nsagen die freisinnigen Blätter, sie feie\nein Afsronl des Kronprinzen gegen die\nReichsregiernng. während die Tele\ngramme anläßlich der Zaderner Affäre\nin konservaiiven und Miluärkreisen\nBeifall gesunden haben.\nLeutnant von Forstner belästigt\nStraßburg i. E.. 7. Jan.\nAIS Leutnant von Forstner a\nDienstag in Begleitung mehrerer Ka\nmeraden da GenchtSgkbäudr in\nStraßburg i. E.. in welchem der zwerr\nProzeß wegen der Porgänge rn Zaber\nverhandelt wird verließ, wurde er vv\neiliche Civittsteu verfolgt, die Drohun\ngen gegen ihr. auSftieße. Die Menge\nwuchs in bedenklicher Weise an. doch\ngelang es den Offiziere, sich aus eine\nStraßenbahnwagen zu retten\nOpfer einer Thenterpanik.\nSan Juan. Porto Rico, 7. Jan.\nBier Kinder wurden zu Tode gr\nlrampell und achtzehn andere schiver\nNetzt. als Mailing Abend bei der Er\nöffnung des Municipal Thralre ,\nSa Juan, Porlo Rico, eine Panik\nentstand. Der Andrang war wegen\nde Festes der Heiligen Drei König\nenorm.\nLchwcdcullillll in Audienz.\nEhristiania, 7. Jan\nDer neue amerikanische Gesandte für\nNorwegen, Alberr G. Schivedemann\nvon Wisconsin, wurde am Dienstag\nsawmen mil seiner Gattin vom König\nin Audienz empfangen.\nOffizier angelltigt.\nGrand Island, Neb., 7. Jan\nWaller SammonS. ehemaliger\nSb-riss von Buffalo Evuntv. Obrrst\nleuinanl in der Nationalgarde von\nNebraska, und ehemaliger Bunde\nossizier aus den Philippinen, wurde am\nDiknslag in Grand Island, Neb., unier\n-s.tttt Bürgschaft den Bundesgerichten\nwegen Theilnahme an dem in der Nacht\ndes 2b. Dezember im Postamt in Kear\nney, Neb., verübten Einbruch überwie\nsen.\nErtrusession in Ohio.\nColumbuS, 0.. 7. Jan\nGouverneur Cox berief Dienstag\ndie 80. Gene\'il - Asienibly von Ohr\nzu einer außerordentlichen Session auf\nden !l. Januar zusammen Der Gou\nverneur wird der Legislatur nrr\nBank. Wahl- und Schulgesetze zur\nAnnahme empfehlen.\nStill vierter Protest.\nKansas Eich. 6. Jan\nNächsten Montag wird hier der vier!\nProzeß gegen den der Ermordung sei\nnes Schwiegervaters. Eol Slvoove. an\ngekiagle Dr. B. E. Hyoe beginnen.\n\' Tr. Haobsv s Solde heilt\njnlkendes Cczcma.\nDas steiige Jucke und das brennende\nGefühl und andere nn genehme Arien\nvon Eczema. Salz-Rtie >m: -mn unv\nHaul-Ausbrüche iverden v cm r : kucirt\ndurch Dr. Hodko\' Eczema p inline.\nilieo. W. Flick von Mendr a. Jll\nschreibt: „Ick \'aus eine S-,achtel von\nTr. Hobson Eczema O iniw-ni. Ich\nhatte Eczema seil dem Bu-gerkrstge.\nhabe mich von vielen Acrzien behandeln\nlasten, doch keiner beriethen Hai nur ge\nholfen. dis ich eine Schachrei von Hob\niin\'s Eczema Lmttnenl gedrauckie\nwelches mir sogleich hals." Bei allen\nApothekern oder per Post zu soc.\nPfeiffer Chemical Co.. Philadelphia\nund Sl. LouiS.—Anz.', 'publisher': 'C. Halbwachs', 'language': ['English', 'German'], 'alt_title': ['La Crosse nord stern', 'Nordstern'], 'lccn': 'sn86086186', 'country': 'Wisconsin', 'ocr_eng': 'J Enteral in the Poet Office in )\n( I* Crosse, Wia., at second class rates. \\', 'batch': 'whi_clabbert_ver01', 'title_normal': 'nord stern.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn86086186/1914-01-09/ed-1/seq-1.json', 'place': ['Wisconsin--La Crosse--La Crosse'], 'page': ''}, {'sequence': 1, 'county': ['Vernon'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85040451/1914-01-14/ed-1/seq-1/', 'subject': ['Viroqua (Wis.)--Newspapers.', 'Wisconsin--Viroqua.--fast--(OCoLC)fst01234647'], 'city': ['Viroqua'], 'date': '19140114', 'title': 'Vernon County censor. [volume]', 'end_year': 1955, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Available on microfilm from The State Historical Society of Wisconsin.', 'Editors: D.B. Priest, Aug. 23, 1865-May 12, 1869; W. Nelson, May 19, 1869-April 28, 1875; H. Casson, Jan. 17, 1877-Oct. 21, 1885; O.G. Munson, Oct. 28, 1885-Jan. 7, 1920; H.E. Goldsmith, Dec. 21, 1921-June 29, 1950; G.A. & M.S. Hough, July 6, 1950-Nov. 3, 1955.', 'Publisher varies.', 'Supplements accompany some issues.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Viroqua, Wis.', 'start_year': 1865, 'edition_label': '', 'publisher': '[publisher not identified]', 'language': ['English'], 'alt_title': ['Censor'], 'lccn': 'sn85040451', 'country': 'Wisconsin', 'ocr_eng': 'VOL. LVIII —No. 2\nShort News Stories of Interest\nPick-Upa by Censor Reporters of the Comings, Goings and Doings of\nViroqua and Vicinity\n—Farms listed, bought and sold. W.\n£. Beet.\n—Ed. L. Rogers was up from Sparta\non Saturday.\nBrick, tile and cement at the Nu\nzum Lumber Yard.\nMrs. C. J. Kuebler returned from a\nvisit with a sister in lowa.\n—Attorney and Mrs. C. W. Graves\nwere Minneapolis visitors.\n—Levi Allen has bought a Stude bak\ner from Larson & Solverson.\n—Dr. Chase, dentist, office in Nat\nonal Bank building. ’Phone 32.\n—John E Nuzum has purchased a\nfine Kissel car from Larson & Solver\nson.\n—The best cement and plaster at\nright prices it Bekkedal Lumber Com\npany.\n—Mrs. L. J. Martin and Mrs. Leslie\nSlack and children returned from West\nSalem.\n—Chairman John E. Lepke of Har\nmony greeted county seat friends on\nMonday.\n—Mr=. A. O. Larson went to Aber\ndeen to spend balance of winter with\nher daughter.\n—Percy, son of George Eckhardt,\nwas conveyed to a LaCrosse hospital\nfor operation.\n—Rev. Singleterry is conducting a\nseries of revival meetings in Springville\nAdvert cnurch.\n—Mr. J. W. Mcon r;al estate dealer\nof Viola, repaid a business trip to this\ncity on Thursday.\n—The blind, aged and infirm mother\nof Mat Larson died in Chaseburg. She\nwas 85 years old.\n—Moruecai Appleman, principal of\nViola schools, is ill and temporarily un\nable to continue his work.\n—Shaving sets, mugs, brushes,\nstrops, soaps, powders, hones and ra\nzors at Davis’ drug store.\n—Remember there will be a dance in\nRunning’s hall, Friday, January 16.\nMusic by 5-piece orchestra.\n■-If you want a reliable medicine for\ncoughs, colds, catarrh or rheumatism,\nget Barker’s. All druggists.\n—Until the present stock is sold, all\nour 2-minut? Edison records,youtchoice\nat two for 25 cents. Brown Music Cos.\n—On January sth the stork left a 14\npound white headed Norwegian boy at\nthe home of Mr. and Mrs. Sam Hokland,\nin La Crosse.\n—Milton Powell,a former well known\noitizen of Harmony, was recently oper\nated upon for gall stones in one the La\nCrosse hospitals.\n—Get the habit of attending. Run\nnin’g dances. The next one occurs\nFriday night, January 16, music by a 5-\npiece orchestra.\n—Don’t wait until warm weather\nbut bring in your lumber bills and let\nus figure on them It will make you\nmoney. Bekkedal Lumber Company.\n—Mrs. Robert Sidie and daughter of\nWheatland, together with John Linton\nof Michigan, were guests of the Jer\norae Favor and J. W. Cade families in\nthis city.\n—A measure of the high cost of Irving\nis shown by the federal bureau of sta\ntistics that the dollar of 1913 brings on\nly 51.4 per cent as much as the dollar\nof 1902.\n—Bargains in all overcoats. Prices\nlower than you will ever see again.\nThe mi\'d weather this fall and winter\nmake.-, it necessary for this sacrifice\nTt.e Blue Front Store.\nTizzicatto fingering, staccato bow\ning, he correct method of shiftirg and\nposition work, will be thoroughly ex\nplained by C. F. Wallace, violin teach\n• er, at Running’s hall everv Sunday.\n—Nelson Allen and wife returned\nfrom Waterloo, lowa, where they visit\ned for ten weeks with their son Charley\nand family. They report Charley as\nhaving a profitable year at contracting.\n—Dr. C. D. Mead, graduated and li\ncensed Osteopath, can correct your le\nsions that cause your chronic aches and\npains. Also treats your acute cases of\nall kinds. Over Blue Front Store.\nPhone 209, house 312.\nPeterson of Soldiers Grove,\nand Ralph Pomeroy of Gays Mills, were\nin the city to have conferred upon them\ndegree in the Royal Arch Chapter.\nThey were accompan ed by Ole David\nson and Mr. Pomeroy.\n—That old veteran and member of\nthe county soldiers’ relief commission,\nJoseph M. Clark of Mound Park, met\nwith a severe misfortune on Wednes\nday. He slipped and in the fall frac\ntured the bone in one leg in two places.\n—Ole L. Olson has purchased from A.\nJ. Beat the house and lot recently va\ncated by Eugene Denning, one block\neast of the school grounds, and will\ntake possession immediately, so his six\nchildren may have advantages of our\nschool .\n—A wandering tramp, able-bodied\nand in the prime of life, asked alms\nhere on Sunday. Said be lived in Mil\nwaukee. When it was suggested that\nthe tobacco warehouses needed help he\nreplied that work was plenty at Hills\nboro, and be trudged on.\n—Mr. and Mrs. J. S. Stetler sold\ntheir fine new home in Mound Park to\nJohn Kerr, who recently moved here\nfrom West Lima. Consideration SSOOO.\nMr. and Mrs. Stetler then bought the\nMrs. Kellicutt house in Mound Park for\na consideration of $2,650. —Viola News.\n—Chas. E. Ward, in the bloom of\nwestern health, paid a brief call upon\nViroqua friends on Monday, business\ncalling him to Chaseburg and LaCrosse.\nHe is thoroughly enthusiastic over Mon\ntana and her prospects and reports Ver\nnon county people there prosperous and\nsatisfied with themselves and the coun\ntry.\n—The remains of Peter Briggson ar\nrived here from LaCroase last Wednes\nday, be having died in a LaCrosse hos\npital, where he bad been taken for a\nsurgical operation a few dayß previous.\nMr. Briggson was 46 years old, a high\nly respected citizen of Kickapoo town,\nwhere he \'oaves a widow and five chil\ndren, besides other relatives.\n—The tunniest Topsy, Lawyer Marks\nand Aunt Ophelia, the meanest Legree,\nthe most faithful Uncle Tom, and the\nmost beautiful Eva, all combine to\nmake Harmount’s big production of\nUncle Tom’s Cabin the ideal attraction\nof the theatrical season. Watch for\nthe band. At Viroqoa Opera house,\nMonday night next. Seats at Dahl’s\ndrug store.\nTHE VERNON COUNTY CENSOR\n—Morey loan* a. W. E. Butt,\nlnsure with John Dawson & Cos.\n—Two-minute Edison records, two for\n25 cents. Brown Music Cos.\n—Ali kinds of storm-poof roofings and\npapers at the Nuzum Yard,\nj —Dr. Baldwin,dentist, second floor\nj Ferguson building. ’Phone 66.\n—Rev. Hofstead has bought anew\n! Studebaker Four from Larson & Solver\nson.\nPlace orders now for rorm sash,\nwhile our stock is complete. The Nu\nzum Yard.\n—While t s ey lat, Edison 2 minute\nrecords, two for 25 cents. Brown Mu\nsic Company.\n—Mrs. A. Pinkhani returned from\nMinneapolis with her mother, Mrs.\nWm. Erickson.\n—A new line of Jersey sweaters in\nnavy and maroon, just received at The\nBlue Front Store.\n—lf you want any frames on short\nnotice, leave your order with Bekkedal\nLumber Company.\n—A 5-piece orchestra will play for a\ndance in Running’s hall on Friday, Jan\nuary 15. All are invited.\nLeave orders for cut flowers and\nfuneral designs with A. E. Surenson\nand you will be satisfied.\nRelatives are advised of the arrival\nof a daughter in the home of Floss\nStrieker-Brierton at Aberdeen.\n—We have a big stock of barn boards\nand tobacco shed material, and the\nprice is right. Bekkedal Lbr. Cos.\n—I have a place to loan $2,000 and\nS7OO at 7 per cent. I bttve some money\nat 5 per cent. W. E Butt.\n—Ladies’ flannel waists; reduced very\nmuch in price; $3 00 waists reduced to\n$2 Oosl 50 to $1.15. The Blue Front\nStore\n—Dr. Edward Enerson returned from\nEvansville, where he finished a course\nas jeweler. At present he is giving his\ntime to optical work.\n—Miss Mabel Pierce was the luckv\none in J. W. Lucas’ award of a watch\nfor guessing closest to the number of\nsales made at his store during Decem\nber.\n—Cronk & Willard, Chiropractors,can\ncorrect your displaced spinal bonep,\nwhich cause your chronic aches and\npains. In Ferguson Bldg., Suite 2,\nphone 27.\n—Knights of Pithias lodge will hold\nannual installation of officers next Tues\nday night in Odd Fellow hall. Refresh\nments will be served. All members are\nrequested to be present.\n—S. W. Ewing has soil his farm near\nReadstown and purchase\' 4 a larger one\nnot far from Sugar Grove. A large\nparty of neighbors met on a recent day\nand extended farewell house warming.\n—Mr. Chris Homstid, clerk at Rog\nerson & Dani s store has secured agen\ncy for Norwegian-American Line tick\nets to the old country for Cenntenial\nJubilee. Fuller announcement next\nweek.\nWalter MeClurg was at Madison\nfor a week, attending a meeting of\ns cretaries of “County Orders of the\nExp -rimen Association.” Also Alfal\nfa convention and annual grain and\nfruit ‘how.\nMr. Albert Davik of Manning, new\nsecretary of the Utica inturanee com\npany, was in the city on business, yes\nterday. He has just added to his farm\npossessions by purchase of E. C. Toste\nrud’s 40 acre place.\n—Harmount’s Uncle Tom’s Cabin\nwill be at the Opera house, Monday,\nJanuary 19, producing the correct and\nonly authorized version of Harriet\nPeecher Stowe’s great masterpiece.\nWatch for the band.\nFrom Idaho came the news of John\nPeterson’s death, where he had been\nsome years. He was a son of Clouse\nPeterson of Franklin, reared and well\nknown in this community. Remains\nare expected by any train.\n—Managers of the new Bank of\nWestby counted wisely in securing the\nservices of Former County Treasurer\nHenry N Rentz as an active assistant\nin the affairs of the institution. Mr.\nRentz is a capable and popular gentle\nman.\n—Large crowds are attending revival\nmeetings at the Methodist church and a\ngrowing interest is manifested. Ser\nvices will be held each evening except\nSaturday. There will be a boys’ and\ngirls’ meeting Friday at 4 o’clock. The\nrites of baptism will be administered\nSunday morning.\nHartmount’s big scenic production\nof Uncle Tom’s Cabin is deservedly\npoDular. It is hard to find a person\nwho has not seen it or doesn’t intend\nto. It is patronized by clergymen and\nreligious press, as delightful, instruct\nive, and strictly moral, at the Opera\nhouse, Monday, January 19.\n—Chairman C. J. Eastman of the\ncounty board, and Merchant Curry were\nover from Valley on official business\nlast Fridav. While here Mr. Eastman\nintimated that he might possibly yield\nto solicitation of friends and throw his\nhat into the ring for sheriff. Which\nmeans that the fellows who run against\nhim will know they had a race.\n—A number went to LaCrosse to wit\nness two or three prize fights staged\nunder authority of our wonderful com\nminsion to license and promote prize\nfighting in this great morally reformed\nstate. Commission? Yes commission!\nOne of the fruits of the late legislature.\n“Commission” has become a household\nword in Wisconsin. If you don’t be\nlieve it, look at your tax receipt this\nyear.\n—The 1914 Studebaker “4”isaacom\nplete a car as money can buy today at\nany price. It is the lightest in weight\nof any car on the market for its size\nand equipment. It has a tremendous\nhorse power, climbs the steepest hills\nwith ease. It is a mountain climber\nand also as stylish and handsome as the\nhandsomest. See the half-page adver\ntisement in this paper, study it, com\npare it with any other car.\n—An old pioneer of Christiana town,\n1847, responded to the Master’s call,\nwhen on December 24, Gudbrand Oium\nlaid down life’s burdens. He was a\nnative of Norway, aged 83, leaving four\nsons and one daughter, the latter being\nMrs. Brown Oiscn, of Christiana, and\nDr. F. M. Oium of Oshkosh, the others\nresiding in the west. The venerable\nElias Neprud of Coon Prairie is also a\nbrother. Mr. Oium was married by\nRev. Stub in 1855, moving to South Da\nkota in 1879, returning here a few\nmonths since.\nImportant Itappenings of 1913 In Pidortal Review\n"ITtAM WINS 1 TKftVtKS WINSBWHITL ttUUSt WtfiOlWSl\nMISS HELEN UOULD was married to Finley J. Shepard at Tarrytowu, N. Y. on Jan. 22. General Victoriano Huerta became provisional president of\nMexico on Feb. 18. J. Pierpont Morgan, financier, died In Rome on March SI, aged seventy-six. President Wilson read his first message iu person\nbefore congress in joint session on April 8. Princess Victoria Louise. onl< daughter of Kaiser Wilhelm of Germany, was married to Prince Ernst\non May 24. The American (Kilo team won the international match from lae British challengers at Meadowbrook, K Y., on June 10-14. Over 40.000\ncivil war veterans attended the great reunion at Gettysburg, July 1-4, to celebrate the fiftieth anniversary of that buttle. Governor William Sulser of New\nYork was impeached on Aug. 11. Jerome D. Travers retained his title to the national amateur golf championship at Garden City, N. Y., on Sept. QL The\nsteamship Volturno. Uranium line, burned in midocean on Oct. !, 131 losing their lives and over 500 being saved. Miss Jessie Woodrow Wtlsou was mar\ntini! at the White House on Nov. 25 t;> Francis U. Sayre. General Carranza s rebel followers won Important victories in Mexico In December.\nFINDINGS BY HIGHER COURT\nImportant Local Cases Decided by\nSupreme Bench\nLocal ittorneys are advised of find-,\nings by the supreme court of two im\nportant cases appealed from Vernon\ncounty circuit court, the decisions be\ning handed down on Tuesday.\nThe judgment rendered against the\nLindetnann estate and Viroqua city for\n$1,500 personal injury to Mrs. L. R\nArlington by falling on a slippery walk,\nwas affirmed.\nThe judgment finding of a jury at a\nlate term of court in favor of S. C. Ross,\na Retreat farmer, for $2,000, was re\nversed. Ross brought suit against.\nNorthrup King & Cos., a seed firm of\nMinneapolis, on the ground that tobac\nco seed purchased from them proved\nnot what it was represented to be The\nhigher court says in effect that the no\ntice posted on every package of seed\nsold “that there is no guarantee as to\nquality and variety,” constitutes a bar\nto recovery for defective seed or dif\nferent variety.\n—Uncle Tom next Monday.\nMagnus Larson autoed in from\nReadstown on business.\n—Hugh Glenn arrived home from\nSouth Dakota for a visit.\n—The latest thievery-taking of but\ntermilk from Viroqua creamery.\n-Judge Mahoney went to Plymouth\nto address an Equity gathering.\n—The Male Quartet sing at the Cong\nregational church, Sunday evening.\n—To fill a vacancy in the Lyons school,\nMiss Geneva Sands went to Webster.\nEvan Friddell has entered Kuebler’s\nhardware store as a tinsmith apprentice.\n—MiBB Gertrude Cox is home after\nconfinement in Prairie du Chien hospit\nal\n—Read the new continued story—The\nMarshal -opening in chapters today.\nIt is a thrilling tale.\n—Rev. Bayne is advised that his fath\ner has quite materially improved in\nhealth since going south.\n—Hon. Chris Ellefson is at Gettys\nburg, South Dakota, closing matters in\nthe estate of his brother-in-law.\n—Dr. C. A. Minshall is in southern\nIllinois making purchase of a standard\nbred stallion for Carl Anderson of Weet\nby.\nMr. and Mrs. John Gald of Ferry\nville, have been guests of their daugh\nter, Mrs. O. C. Christopherson in this\ncity.\nMrs. F. P. Dodge of Madison was\nan over-Sunday guest of Mrs. J. D.\nBeck, returning on Monday with Mr.\nBeck.\n—Woodman dance at Purdy M. W.\nA. hall on Saturday, January 17 Oys\nter supper will be served by Herman\nChristenson.\n—Eld Lind has made another conven\nience innovation at his “Shoe Hospital.\'*\nEvery Saturday an expert shoe polisher\nwill be there to serve the public. Drop\nin and get a good shine. Rear of Hen\ndrickson’s shoe store.\n—A chimney fire caused destruction\nof the farm house occupied by George\nfamily as a tenant a few miles\nsouthwest of Ontario. They saved only\ncook stove and sewing machine. Mrs.\nMyers is a daughter of Mr. and Mrs:\nGus Hook of thij city.\n—Viroqua Methodist aid society chose\nfollowing officers: Mrs. J. E. Nuzufn\npresident, Mrs. N. M. Foster vice-pres\nident, Miss Anna Turner secretary,\nMrs. T. O. Mork treasurer. Executive\nboa\'c\': Mesdames Butters, N. D. Mc-\nLees.Nuzum,‘Franklin, Snell and Cook.\n—The pleasant and convenient lodge\nhome so long owned and occupied by\nViroaua Masonic bodies, has been dis\npose n of, the Third Regiment Band\nmaking purchase of the same, with car\npets, stoves and other fixtures. It will\nprovide the band with fine and adequate\nquarters and is a good investment.\nMasons expect to move to the new tem\nple within the next month.\n—Rev. Hofstead has just finished so\nliciting for the “Juhelfund ” Two years\nago the church body decided to raise\n$700,000 to pay off the church debt and\nto meet the offer of J. J. Hill, Presi\ndent of the Great Northern R R., of\n$50,000.00 provided the church would\nraise $200,000 as an endowment fund\nfor St. Olaf’a college, Northfield, Min\nnesota. This sum has been raised and\nwent into effect September last Mem •\nbers here responded very freely, iru\nof $4,000 being raised.\nVIROQUA, WISCONSIN. JANUARY 14, 1014\nOPENING OF THE FINE COURSE\nThursday Night, January 22 Enter\ntainment to be P’easing One\nTHE MOZART CONCERT COM\nPANY.\nThe name Mozart Concert Company\nis coming to be one of ilie best known\nnames on the Kedpatti list. For three\nyears past it has been a name which\nhns appeared on the announcements of\nhundreds of Lyceum courses and over\na wide territory. The company the\ncoming year will be the Same as last,\nexcept that William T. Shaffer will\nappear ns the vocal soloist.\nAudrey Spangler Mar Hand has been\nWith the company fom- years. She hns\na delightful person^ 4bt combine*\nin her programs that rare gift of being\nboth an excellent pianist and an ex\ncellent reader. Piunoiogues are an im\nportant pari of her program. Either as\na soloist or accompanist. Mrs. Mort\nland plays with tlyit finish which is a\npositive delight.\nI solid Jungonnnii, the violinist with\nthis company, lias (icon a member of\ntlie Red pa th family for several years.\nShe was one season with the Dunbar\nSinging Orchestra, later coining to the\nMozarts. She Is a southern girl with a\ncharming stage pres nee. Her musical\neducation was received at the Cincin\nnati Conservatory of Music.\nThe eelllst with this company, Alex\nander Spiegel, studied with Franz\nWagner, the well known cellist who\nwas with the Theodore Thomas Or\nA.\nmat, A&icW - -\nMOZART CONCERT COMPANY.\ncbestra for seven years. Mr. Spiegel\nhas appeared before the Woman\'s\nClub of Chicago In recital work nml has\noften played In the concerts given by\nthe Kush Temple Conservatory of\nMusic. He has also played in Ludwig\nBecker\'s Orchestra Becker. It will be\nrecalled, was at one lime cuncertuieia\nter of the Theodore Thomas Orchestra.\nMr William T. Shaffer, vocal soloist\nwith the Waterman Company last\nyear, will slug *evl tenor selections\nduring each eveui:.’ program. Mr.\nAlfred Williams, musical director of\nthe Redpath Bureau, says of Mr Khaf\nfer that he has u most unusual voice,\nsympathetic In quality, ami that lie Is\na dignified singer - In fact, a born art\nist\nTickets may be reserved at Dahl’a\ndrug store next Tuesday, opening 9 a.m.\nWas Close and Exciting\nProbably the best and most exciting\nbasket ball game ever pulled off in the\ncity waa Friday night last between Viola\ntown team and Viroqua highs. At the\nclose the score was 23 to 22 in favor of\nViroqua. It was a contest worth wit\nnessing, and it is more than creditable\nto the home team that they succeeded\nin holding down the big visiting aggre\ngation. It is certainly a tall and heavy\nline up, selected from the best athletes\nin that section, having as two of its\nmembers Omar Benn, league ball pitch\ner, Prof. Birdsell, a prize athlete, and\nothers that team in harmony. It is\ntheir second game, indicating that when\nhardened down and in thorough .aining\nthey may become invincible We re\npeat that our boys deserve praise for\ncoping with these Viola giants. Prof.\nOrput and Oltman played with the highs\nto fill vacancies caused by sickness.\nNEW YEAR REORGANIZATION\nLeading Business Man Incorporates\nHis Affairs\nAsa matter of convenience, safety\nand protection to all interests, Mr. Fred\nEckhardt, the most txtensive dealer\nVernon county has ever had. entered\nupon a reorganized system with the new\nyear, having incorporated his business\nwith a paid-up capital of $125,000. Mr\nEckhardt is president of the corporat ion,\nhis son-in-law, Will D. Dyson, is secre\ntary and treasurer, Mrs. Minnie Dyson\nvice-president. The incorporation in no\nway changes the Htatus of Htfair Mr.\nDyson has long been actively and finan\ncially identi c ed with the large business\nand has demonstrated his ability and\nvigor to do things For the past four\nor five years Mr. Eckhardt has been\nattempting to "luper off” as it were,\nand cast the heavy burdensuponyourg\ner shoulders, but it is not an easy thing\nfor one to do who has worked and plan\nned twenty hours out of each calendar\ndav during more than forty years of\nactivity in farming and management of\nthe largest business ever done by a sin\ngle individual in all western Wisconsin.\nWhether he takes it or not, Mr. Eck\nhardt has well earned a vacation.\n\'ROUND AND ABOUT US.\nWith an evident purpose to exhaust\nthe ten thousand dollar a appropriated\nby the late legislature to investigate\nvice conditions in Wisconsin, the legis\nlative committee “sot” in LaCrosse for,\ntwo or three days last week. By a j\ncareful reading of the local papers we\nare lead to surmise that officials, lawy\ners, doctors and business men of our\nneighboring suburb contribute evidence\nthat can but hs.ve a tendency to adver\ntise LaCrosse as an undesirable place\nfor young jieople to go for educatior al\nan! other purposes. When this travel\ning committee has expended the big\nlump of taxpayers’ money the world\n; will move on in the old way, but the\ncities visited will bear the odium of nusti\nr ness advertised tp the publio.\nBy list of taxpayers published for\nWhitestown in Ontario Headlight, the\nsmallest is given at 65 cents, largest\n$448.97. The latter ia Hon. Van S\nBennett. There, aB everywhere, nash\ning of teeth is the order over excessive\ntax burdens.\nIn the town of Harmony, while Hans\nand Thomas Moe were felling trees in\nthe woods they came upon a tree from\nwhich they secured a good amount of\nhoney.\nHarold Beder, a Norwegian who\nmakes his home most of the time during\nthe summer months with farmers be\ntween Westby and Coon Valley, and in\nthe winter works in tobacco warehouses\nin this neighborhood, while intoxicated,\nmet with a painful accident in Cashton,\nthe crushing of bones in one ankle H j\nstepped before an automobile whils in\nmotion.\nThe Boys are T hankful\nCarriers on Viroqua\'s nine routes are\nthankful to their patrons for generous\nand substantial remembrances during\nthe holiday season, all expressing ap\npreciation for gifts and the spirit of\nofferings. Robert Smsll on route 5, had\nnine sacks of grain delivered to his\nbarn, Honry J. Anderson being the don\nor.\nLecture Postponed\nOn account of rrnssi\' g train connec\ntions, Professor P. W. Dykema will\nnot be able to make his Viroqua date\nthis evening. He will speak here Fri\nday evening of this week at the high\nschool room, and all are asked to be\npresent and aid in the laudable work of\norganizing a Viroqua choral union.\nBrooks Stock Company. I,ast three\nnights this week. All new plays. 15,\n25 and 35 cents. Seltirg at Mahl’sdrug\nstore.\n—Thomas Ellefson has not returned\nhome since the fone-al of hi* aged fath\ner in Coon. His brother Martin is very\nill there Mrs. Ellefsor is with her\nhusband in rendering assistance.\nMrs. Etta Stevens secured a posi\ntion in the Sparta state school, in the\ninfant hospital. A better selection\ncould not be made, a kindly aged moth\ner for the children.\nDr. Baldwin’s dental office will be\nclosed on Friday and Saturday of this j\nweek. He i attending a dental con- .\nventioo at Minneapol s. His mother,\naid wifefaceompariitd hm, The latter\nwill visit her parental home in lowa be\nfore returning.\nBIG LOCAL REAL ESTATE DEAL\nChase and Lindcmann Buy the Two\nSmith Farms\nThe largest consideration in a real\nestate sale consummated here for years\nwas made last Saturday, when Howard\nE Smith sold to Frank A. Chase and\nWill F. Liqdemann his farm of 120 acres,\njust north of the city limits, and that\nportion of the old Isaac Smith home\natead lying r half mile north of town,\nconsisting of 85 acres Consideration\nis given as $25,000. Both places are\ndesirable property and the buyers are\nto be congratulated on their acquisitions.\nMr. Smith has been desirous of turning\nto other lines, and after giving possess\nion next March expects to go to Cana\nda for a time at least.\nTHEY HOLDANNUAL MEETING\nFirst Nutionul Bank Elects Officers\nand Closes Year’s Business\nAnnual stockholders meeting of the\nFirst National Bank was held yester\nday and a satisfactory year’s business\nclosed. A good dividend was passed\nand liberal sum added to surplus. Of\nficers of last year were re-elected as\nfollows:\nPreiident-H. P. Proctor.\nViw*PMkinti-E. W. Hazcn and Wra, Webb.\nCnhivr — H. E. Packard.\nAflaiHtant t\'aahier —Albert T. Fortun.\nDirectors — H P Proctor, Dr. J. K. Schreiner,\nWilliam Webb, E. W. llav.cn, Albert Sol venton. H.\n!>. Reed. H. I*. Proctor, Jr.\nProminent Merchant Shifts Business\nAfter a third of a century of con\ntinuous and successful general mer\nchandising at Westby, Hon. Andrew\nH Dahl relinquishes the business to\nyounger men, having disposed of the\nclothing and shoe branches to Knute\nVilland, the grocery and dry goods fea\nturcs to Sigurd ar.d Arvid Ramsland.\nAll the new proprietors r.re Westby cit\nizens, Mr. Villand having been for two\ndecades connected with the Dahl estab\nlishment, a thorough raerjhant, while\nthe Ramsland bovs are Westby born,\n6? good stock and capable young men.\nThese new firms will share the com\nmodious quarters so long occupied by\nthe Dahls, With his capable sons, Har\nry and Chester, associated in the busi\nness, Mr. Dahl will devote his energies\nto agricultural machinery and automo\nbile pursuits. Having added largely to\ntheir facilities in new buildings and\nequipment they will be able to handle a\ngreat volume of business. As an indi\ncation of their anticipated capacity they\nhave given an order for 250 Ford auto\nmobiles for the year 1914. The auto\nmobile branch of the new firm will be\nextended to Viroqua, where ample\nquarters are arranged for.\nNew Real Estate Firm\nViroqua has anew firm -a three mar\nland company, composed of well-known\nfarmers - former Sheriff Martin Root,\n1 Henry E. Anderson and Jacob Dacb,\n! Jr.,- who have associated themselves\nj together to conduct a real estate and\nexchange business in the county. They\nhave all been successful in their per\nsonal affairs and ought to make a strong\nteam in handling and negotiating\nsales and transacting real estate mat\nters for farmers. They are reliable\ngentlemen and in ail respects trustwor\nthy. Their established headquarters is\nover Towner’s store. Wo direct atten\ntion to their announcement in another\nportion of the Censor.\nYou are Invited to the Mask Ball\nViroqua Woodman Camp will give a\nmasquerade ball on the night of Janu\nary 23, in Running hall, to which the\npublic is invited. Four nice prizes will\nbe awarded, two to the best dressed man\nand woman, two to the most comically\ncostumed man and women. The Buick\norchestra will furnish the music; tickets\n75 cents. _________\nCome and Help Us\nWe want more help for tobacco sort\ning, both men and women. Come and\nsee us or write. The Bekkedal Ware\nhouse. Viroqua.\nANNUAL CREAMERY MEETING\nNotice is hereby given that the an\nmml mi-etina of the Viroqua Creamery Com\npany will be held in the Opera \' all on Monday.\nJanuary 36. 1914. at 0.-ie o,clock p. m . for the pur\npoee of receiving the annual report and elect two\ndirectory in the place of Joaeph Buchanan and D.\nH. Froilmnd. an their terms expire on that day.\nAIo to receive the cheek! for over-run for the\nlast six months of the year !!£l3. \' I\nWe should like every patron to attend the meet\ninsr a* the question of building anew creamery i\nwill be up for discussion. Please be at the meet- j\nins on time. j\nChhis EiJJBf SON. Secretary and Treasurer, j\nDated January 13,1914. *\nESTABLISHED 1856\nBE SURE OF YOUR FOOTING\nJohn Stoll Doost Vernon County and\n“Old Wisconsin’’\nPasadena, California, January 2.\nFriend Munson: Just a few lines\nthrough the CENSOR, to my inquiring\nfriends: lam rot selling any real es\ntate, but have had a grand trip for the\npast ten days We went to Chicago in\nthe snow on the 23d of December. In\na short time were on the bare land again\nin Illinois. On the morning of the 24th\nwe had plenty of snow again, which\nlasted to nearly Sacr. ento City, Cali\nfornia, and plenty of it, and winter\nright. Part of the way was like real\nWisconsin winter weather. We spent\nChrisimas and the next day in Salt Lake\nCity looking over many things new to\nus. The temple square containing the\ntemples and tabernacle and its bureau\nof information, all of which we were\nglad to be shown. Also were in St.\nMary’s cathedral and at many other\npoints of interest.\nWe landed at San Francisco on Sun\nday morning, leaving winter behind,\nwhere sunshine and rain have made\nplenty of green grass, which looks fine\nfor winter time. While in San Fran\ncisco I met Frank Onley, formerly of\nViola, who think* that part of Califor\nnia is the only country. Mr. Onley said\nit had been too dry since 1909, only\nwhere they could irrigate the land, and\nthe rain was what they wanted. Since\nleaving San Francisco I see they are\nhaving floods and washouts, trains laid\nup and many of the farmers in low lands\nwiped out of house and home in the val\nleys of upper California.\nWe spent two days in Frisco observ\ning what could be seen by tourists, (or\ncountry people as they call us) went\nthrough Chinatown, where they claim\nthirty thousand Chinamen,and of which\nplenty were small ones. We left for\nLob Angeles and Pasadena arriving on\nJanuary Ist, 1914, and from this far-olf\ncity we wish one and all at home a hap\npy and prosperous New Year. We\nwatched the grand parade of the rose\ntournament. There were some grand\nfloats, and many of them. The parade\nlasting over an hour, as we were in one\nplace all that time. In the afternoon\nwe were at the park where there were\nmany races—chariot, hurdle and foot\nracing, high jumping, many things of\ninterest which made the first day of the\nyear a busy one for us. >\nIt is all right and fine at this time of\nthe year and we enjoy being here. The\nfreeze of 1913 was bad for the ranchers\nhere and I am of the opinion farming\nis not in its highest state. There is\nlots of wealth but I am of the strong\nopinion a great deal of it was made in\nthe east. At any rate, Viroqua and\nVernon county looks good to us, and\nnowhere have we seen any more pros-\nBerous country than old Wisconsin.\n(any who have been in the west for\nyears will hardly believe in the advance\nin the enst. but I for one can tell them\nof the modern farm homes, and that\nour farmers of today are on the top\nrow with the cash in their jeans, and\nthe best is none too good for them.\nUps and downs hit most of us some\ntime in life, no matter where we go.\nTb- whole thing in this life is in being\nsatisfied and contented, and this leads\nme to say: be sure you have something\n1 letter than Vernon county before you\nmake any change, as Wisconsin and\nVernon county are to me at the head of\nthe list. Mv wife says to me “be a\nbooster for Wisconsin.” That is what\nthey do in Pasadena.\nYours, J. E. Stoll.\nRoger the Whole Works\nHon. Roger Williams of Hillsboro,\nwho, as justice, lias doubtless married\nmore couplea than any man in Vernon\ncounty, gives notice how to wed with\nout license er medical examination. In\nthe Sentry he advertises:\n“To all those who contemplate mar\nriage in future and wish to wed under a\nsolemn contract, which is binding and\nlawful under the laws of this state, I\nwill draw up for them. The common\nlaw prevails in this state. All that is\nnecessary to do for two people who wish\nto be married is to make b written\nstatement, before witnesses, that they\ntake each other as man and wife. You\ndon’t require any license, medical ex\namination, priest, clergyman or magis\ntrate.”\nDetermined to Hoist Head Officers\nModern Woodmen everywhere are\nsounding the slogan for defeat of pres\nent head officers of the society, who\nwere instrumental in attempting to\nforce the outrageous increase in rates.\nThe local camps will elect delegates at\nthe first meeting in February to attend\na county convention to be held in Viro\nqua later. Camps are entitled to ore\ndelegate for each 26 members. Every\nWoodman in the county should attend\nthe meeting cf his local camp at the\nfirJt February meeting and have a full\nrepresentation at the county convention.\nThe unhorsing of head officers can only\nbe accomplished by moral support and\ndetermination of members.\nChance for More State Inspectors\nIce cream dealers and traders in oys\nters ate now required tn conform with\nanew regulation by the weight and\nmeasures department of the state. Pa\nper ice cream and oyster containers\nmust be filled to a certain height and\nbe marked by a perforated line accom\npanied by the words" Fill to the Mark.”\nThe capacity of the paper bucket must\nalso be plainly indicated on tbe side or\ntop.\nImportant to Threshermen\nAnnual convention of the Wisconsin\nBrotherhood of Threshermen will be\nheld in Madison city January 20th and\n21st. Every tbresherman in the state,\nwhether a member of the association or\nnot, is welcome to attend this conven\ntion and the special attraction on the\nevening of the 20th in the shape of a\n“Dutch Lunch” and smoker. Drop a\npostal card to The American Thresher\nman, Madison, and get your name in\nthe pot.\nToo Sudden for Comfort\nArrival of zero weather for this sea\nson was delayed till January 12th, when\npeople were astonished to arise and find\nthe mercury registering ten below.\nSunday was warm and pleasant, water\nstanding in the roads and automobiles\nmade their rounds as freely as in June.\nThe change was too sudden for com\nfort.\nInsurance Company Officers\nUtica farmers\' mutual insurance com\npany held annual meeting at Readstown\non Friday. Following officers were\nelected:\nPreaidenl—L. C. Schoenbernrer\nVice-President—William Barney\nSecretary—Albert Davick\nTreasurer-J. B. McLeea\nDirectors—O. H. Larson. John Cummins, B. F.\nCooley,', 'batch': 'whi_doxy_ver01', 'title_normal': 'vernon county censor.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85040451/1914-01-14/ed-1/seq-1.json', 'place': ['Wisconsin--Vernon--Viroqua'], 'page': ''}, {'sequence': 1, 'county': ['Washington', 'Winnebago'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn86086559/1914-01-14/ed-1/seq-1/', 'subject': ['Blair (Neb.)--Newspapers.', 'Danish American newspapers.', 'Danish American newspapers.--fast--(OCoLC)fst00887764', 'Danish Americans--Newspapers.', 'Danish Americans.--fast--(OCoLC)fst00887668', 'Lutheran Church--United States--Newspapers.', 'Lutheran Church.--fast--(OCoLC)fst01003996', 'Lutherans, Danish--Newspapers.', 'Lutherans, Danish.--fast--(OCoLC)fst01004083', 'Nebraska--Blair.--fast--(OCoLC)fst01228909', 'Neenah (Wis.)--Newspapers.', 'United States.--fast--(OCoLC)fst01204155', 'Wisconsin--Neenah.--fast--(OCoLC)fst01227527'], 'city': ['Blair', 'Neenah'], 'date': '19140114', 'title': 'Danskeren. [volume]', 'end_year': 1920, 'note': ['Also issued on microfilm by American Theological Library Association.', 'In Danish.', 'Merged with: Dansk luthersk kirkeblad (Blair, Neb.), to form Luthersk ugeblad.', 'Organ of: United Danish Ev. Luth. Church, Feb. 23, 1909-1920.', 'Published in Blair, Neb., 20. Apr. 1899-29. Dec. 1920.'], 'state': ['Nebraska', 'Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Neenah, Wis.', 'start_year': 1892, 'ocr_dan': '-f-IsssssssssssssssssIIIRIIIIIIIIIIIIIIIIIIIIIIIIIII\nTHE·UNchD\nDAleH\nIMMCMCAL\nLUTHM\nCHURCH\nINW\n-T- IMOXOMXOXOXQ 0’ I ZAI Obs- 101 YO4M1 . 1501010 I- « I «T«11111’-«- XXXOXO Is!\n— Ni. 2. f ·I1 I IVi«i-iis)«LI-icbfk., Ousdag dkui i4. Zusiiklii jäh-. " «" —" " s"7 Mij —\nStillingcn i Mexico.\nOjiasgi faldt Ratten til Sindag i\nRebellckueo Hast-due\nMai-se baade milimske og kivile\nFlysluiuge paa U. S. Grund.\nPreihdm Text, 7. Jan. - - meins\nral Jofe Mmtcilla, on as de frem\nmcite Komnmndører i den fodernlts\nnækiknnssc Hast-, dotierte-rode i Don\nog com omsk til den omcritmtssc Eis\ndo fm Diimmn ug toqu sum Fun\nac of U. E. Hrwnscinmt. Hans\nSm, disk var Kaptath fnlgtcs band\noa de am- ist falskt Nmm til Jnunis\nstationvnmndiqlusdrnm »Im da de\nblev spkt from for Majas Mctkkmnecy\ndr- amcrjkanskc Tromer Kam-non\ndir-, tilstod ban jin Jdisntstet on\nbod om Vcskvttolsa «\nGeneral Mancilla, disk komman\ndkrch en Division of den regula-—\nte Arme, hnvde Otd for at vasre\nen tapper General og en stærk Til\nhttsngek as Hart-ins Nogich At\nhon hat fokladt Ida-ten tydcss as\nRebellekne iom m Fort-bist for en\nsmva Dvemang til den ondm\nSide fm de fademle Troppcr ved\nOiinaga «\nMexico Cun, ’-. zan. Bau\ngodt sum alle Pnpitspeuch der\nfindet 1 Mexico korrekt-des i Ciria\nlatiou i Das vrd et Dekret, sum\nGurt-to udstedtc, gaocnde nd paa\nat Sedlet im alle Statt-bunter et\nlovligt Betalinacsmidch ou dcrcs\nModtaqelsk iom simdant er obliga\ntot-ist.\nMexico Cim, II. Jan. — Ptæsii\ndem puetta siacss dek, vil ikkc te\nsianerr. men han er uillia t:l m re\naqungcte sit Kabinct oa ellets at\ngin- hvod fom helft der bmdc be\ndre Focholdet mellem Mexico\noa United States-. - Drt\nei- dcn fldftr Mklditm, der » braut\nfm Pkwiidmtcns Kontos-, og dct\nfiaes at hanc vix-rot Huntas An\ntudnina til Ækkebiskov Mem oa\nN andre-, Iom bar spat at bevægc lmm\ntil at tut-M- sia tillmqe for at be\ndre Stillinqm\nVersidia Irr. U. Jan mnn\nvon vod Ohunm nnsllcsm »Mit-rat\nVillas Ttowrr ou do Rom-rate wr\ndaq Affen on pansølmsndc Nat end\nte Incd afajott Em- for Ncslnsllvmc\nCWncmlkrms i den fuhr-rate Hast oa\nflms Tusindts as bonI-J Mit-nd satte\ni Huj oa Hast over Flotte-n til Pro\nsidio. da de indfaa, at do ikkks laanes\nto kundr holde Stillinqtsn inmd Man\nVan m haan ---« sont det sum-s ——--—\nuovcrvindrligc Krisen-. —- Tot var\nved Midnatstid, Forsvarorne opaan\nOjinaga, iom der nn har vcekct\nkæmpet am et Var Ugor Den spr\nste General, der ssate Zifferhcd\nvaa Texasiibnh var Pascual Ores\nko, om iok lamgc siden var undfaat\npaa Livet af Villa Tibliaekc var\nVognladningcr af Dokunusntck til\nhstende Regt-ringen i Mexico City\nbragt over Grasnftsn og beslaqlagt\nf den antrtikanikc ·(Sjkasnfcvqgt.\nBerai flnttrdc man paa Forhaand,\nat Forivaternes Sag stod stet, oa\nat man tunde vente Nømninq naar\nsont helft — En Mænqdc civile\nMinaer et oaiaa kmnmen hertil,\nog der berstet allen-de ftok Nsd\niblandt dem. Mand, Kvinder. Vorn,\nBunde-, Hinz oq Kreatnrer et stu\nvet samtnen over-alt\n. Med Qiinaaas Jndtaaelic hat\nVan ubefttidtscigt Gestad-same over\nnakdre Mexico, oq for iaa vidt kan\ndet stdste Slaa bete-ones sont det\nmest afatrende· —- Villa stal have\ntoleakafrtet ttl Carranza i Saat-ass\nat nu ,.havde han bevsst, at han\nknnde indtaqe Oiinaaa«.\n· J Mandags aatede han at Jætte\nKutten mod Thihuslmcy hvorfra\nhan faa vilde dkaae fydpaa mod\nRemchllflens Gavedstad\nGeneral-me Verrat-a Castro,\ninaL Rom-ro, Iduno oq Landes«\n. sein kam over firvresidim blev ta\nflet i sicrvarina as de amerikanste\ntret-per Liadaa betet Falk. Ill\ndrkq sit et hoc Mdt I Frei-süd\nat vor Hur hat« numttsst onst-jage\nou afvaslmc m san betvdci.g Flok\nFrcmmcdc vaa ern Gang.\nNoneralcrnk Lmzco oq Ynez Sa\nlnmr, sum nnførtc de fvdcmle Fri\nvillimx or nndchart m einstimij nf\nIl. Z. Mundiabrdcr, fordi do lmr\nkkasnkct Nøjtmlitotsklvorm-.\nLjiunqm Mer» H. Jan. —\n.,Pmniso« Villnss erusllcsr fuldførte\nIhm-is Jndtoaclsis as Oiitmqa i Tau\nimsd at heut-cito over Halvdcslen of do\n;300 Fsdcmhn disk toqu til Amme\n’(Ikonrmlons3 qmnlts Motokns at ov\nftillts de dødsdmntc i Linie og neb\nfkndcs dem fra Sidcn mstttomss Li\nmsne kam-des drrmn fmnmcsn i en\nTmmo oq opbmndtkss i Nahm\nTot vnr swrlia di- Frivilliqe nn\ndor Omco oa anmmc der br\nbandlodvs fnalcschs. Tvrsom Dire\nnks kundo vifcs Vanikor von, at do\num- indskmsms E den rmulckre Hast-,\nollcsr do bavdr Vrændemwrke vaa\nBrnftet disk bevissc betten auch der\ndem Leiliabod til at flutte siq til\nVillng Since De. der blev tro\nimod Gurt-tm bit-v nedfkndt.\nAthejdeke faak Del i\nProfiiteu .\nDes-v Fotd vil dele 810,000,000\nom starrt blsudt sit-e Arbejdetr.\nJokd Motor EoncpamJ«, Drtwit,\nMich-, meddeltc i fidste ler en\nPlan, iom skuldc trasde i Kraft i\nMattd41gs. Milliwww-Fabrikanten\nvar kommen paa den laute-, at bang\nAkbejderr fik for lidt i For-hold til\nbvad Kompagniist tjcntc vaa sin\nFormning» Plain-m fom altfao\nnnm vasrc ttcmdt i straft used drunt\nAkbcidsnacsts Visanndclscy qaat nd\npaa at tilsidcsfasttc on Zum of WO»\n()00,000, fon- vsl blims fordclt blandt\nFirmmstss Arbeitser bl. a. ved et for-.\nlwldsvisis betndeliqt Lan-I tillwa, der\nnjl kommt- 22,500 sen andrn Kil\nde siqcsr 26,500) as dem til ande.\nArbeit-etc fom m- lmr 3234 om\nDom-n vil fcm 85 Mnndliqo Arbei\ndcrcs, sont bar fuldt 22 Aar, vil\nfaa Drl i Forbsiclfrm in solv\n»fweepeks« vil fna dort-s 830 om\nllgcn. Oqfcm Arbeit-end sont spr\nsik M n 87 om Degen, fcmr For\nlmiolfc — Samtidia vic 4000 a\n;5000 slm Arbeitsert- blive tnqct i\nEchnoftc on Arbeidstidm nedfnsttvis\nJst-n 9 til R Tinter om Daqu, san\nder blier tte Stifter i Team-r 300\nKvinder. sont arbofdcr i Fort-emin\n41en vil oafaa san Lønstillasg, men\noftck on andrn forskcsllia Plan. -—\nDei or Horn-n Fokd solt-, der bar nd\nllaskkrt Plain-n, oa do andre Aktio\nnen-er bat ttlftemt den. Mr. Fort\nhævder, at det ikke mentlia or Lsns\ntillasq men .,Prosit-Sbarina«, tm\nPrier paa Ford Automohilrtne vil\nMc blivc forbsiet Sau deutet-, at\nPlatten oqfaa vil hierer til at faa\ndyattgere Arbeit-etc\nTango Danien fokhyves.\nParis, 9. Jan. — Kardinal Lcon\nAdolpb Ame-tm Ærkebisioppen i\nParis, fotbndtsk i en Skrivelse fom\nvil blive oplasst i Mist-me her paa\nSandaa. Doltaaelse i WunosDans\nfom en Sond, dcr maa bekendksg og\nsum-s Vod sor. Ærkcbiikomwn start-:\n»Vi fordønnntsr den Dems, der er\nindisrt nde fra, og sont er kendt\nHunde-r Navnot Tango, som i iia\nHelv er ufsmmelig ag fkadclia for\niMoralem oa Kristne man for Sam\nsvlttiqbedens Skyld ikke iaae Del i\n»den«\nKardinal Ame-M vil oafaa nd\nthede en Advent-sei imod visfe its-m\nmeliqe moderne Klasdedraater. .,Vi\npaaminder Windes-« fiqer Kardina\ncen. ,,at de alttd iaqttaqer Regier\nnes for kristeliq Stmmeliabed, hvils\nki- altfor oiie overtmdes. Vi beder\nkristne Minder at Turmes om at\nnichin visfe Moder-, fom ikke stem\nJmek med, bvad der er himmliin\n; Dei er tm Kaki-litten der vptms\nldisk i et Iaiolst Land imod det its-m\nmeligc i lmadc Eil-disk og sein-dr\ndraqt; Inen ogsaa hos os tkcrnarszi\nder til zimnp intod tust Its-Innre\nlia c tnmdo for Zmnvittighcdcns on\nMoralem- Eknld «\nI Ei Kmnpevækt fuldfstt\nf\nStadt-n Nho York-) uye Bands-stin\nninqsmttk tmbact\nNew York, 1(). Jan. — « Et Ida-ni\nUmnlsm i sit Ehas anlnusdrss lnsr\n»tidliq i Tag tnsntlig den noc- Band\nlisdninq im Entifill-«!Iirramm, sont\nifnart konnnrr til at for-inne New\nYork med de minnt-»Don mono\nIusr Vnnd, sont Vnksn tmsnmsr til dan\n.liq. Forst um cst Aar blivcsr Antipa\nmvt fnsrdiat i fin Solln-d Der lmr\nInn ver-tot arbejdvt von det i fov\nAar-.\nEt Tynmnitskud 400 Fod under\nJordcn nnd »Hm- Hundkcsd and\nFortnnintb Strect« oa »St. Niobe\nlos Anmut-« i Formiddcm« Mien\ndmav Tunnclanlimcsts Full-sprele\nTenno Tunncl ligqck fm 200 til\n750 Fod under Vyms Moder-.\nHeli- Fototagmdct bar kostet Vo\nlk-» sit-Monmo, qq 72,000 Mund\nbar her fundet Bestæstiaelie i fnv\njAaL Men det bar ogsaa kostet more\nidet man regnet-, at ille lanat fra\n1000 Menncfkkr er bit-von dkwbt\nollrr bar paadequ sia Aha-stellst\nunder Arbeit-et\nTor ck den-, fom findet-, at drtto\nJnacnitrarbcsidc endoa kan stillt-s\nved Süden af Panamakanalcng Gen\n»Auf-tells\nDen nve Vanvlevnma Ism- Vm\nCatikilLVirmcne oa trwnact jam\nncsm Bin-ge og under Floder paa sin\nins Paar-J Reise til Kammean\nIm Asbokan Rossi-wirkt i Catfkill\nlaer Drithsvandot nennem tsn txt-m\nvcmassfig Lcdninq kanns Voftfidon\nof Httdsonflodm passen-r under\ndesnms i en mmadelia dvb Hast-ert\n.k(sdninq ved Sturm Kinn. løbcr fcm4\nJtil Ekoton Reforvoirfnftemot oq der\njsm msnnem bot nimmtme Led\nIninqksnot til New York.\nL Termcd er dm fsrftcs Del as\nWerksan ftørfte Vandforfvninqsans\nCis-a first-m Misn disk er oafcm kun\njdcsn sorstcs Del. Vondet im Croton\n:vil nomliq frm m nn Vci til Vom\nTot väl komme til at passka acnnrm\nlto nva Reservoir-m dtst enc- vtsd\nJKoIcfiko, dct nndct vcd Ranken-E ca\nUse-Hm duckt-r disk ncd i on ni Mit\nFaun Innnellcdnitm, sont brndcs i\niKlippm dnbt under Manbattons Ga\nIdctc Tot passen-r under Vrookltm\nloq Ost-kons, san under Haupt til\nStatt-n Island on ende i Silva\nLakcs Reservoir-et fin 82 Mil lange\nWeise-.\n- Vanhsorimmmm mqu tm im\nNnndløb i Catikill ncsmlia Einka\nJucin Erholmric Nondout ou Cat\nHut Emp. ,\ni Ailwimi Reicrvoinst, lwor Dom-d\nidelen m Vandet famlcs, Uqu midt\niindis i Ojcrtct af Catikillbjcrgcne\nDrt ligqrr 550 Fod over dagliq\nBande og kan tmkkk VnndctÄp til\niManhattetnsSktMraberufe-s 18. Eta\n»gc udcn Pumpcr. Det nuvækendcs\nSystem naar barc til 6. Gage\niMen Afhokan Refervoirct hat os\nisaa kostet 820,000,000.\n» For at bygge klicickvoitct blcv\niUv Lands-book jasvnct ntcd Jokdm\n32 Kirkcsqnatdc blcv ncdlagt og 2500\nGravc maatte Amtes-. Der blcv bygs\nget adstilliac Mit Jernbamh 10 Mit\n’m) Bin-ach og 10 nyc Brot-it\nFra dette cnorme Reservoir gaar\nVandct fom sagt lanqs Vesiiidcsn as\nHudiom pasierer under Flucht i\n»den mcrgtige Staalhævert vedStorm\nRing oa flydcr ud i Kensico Refer\nvoir. Fta Keniico gaat Vandet site\nMit laanekc iydpaa til Refervoiret\nved Punker Dets Funktion er fop\nfkelliq fra Ashdkam fom somit-r\nMindest oq Kenfica sont apmaqasi\nnistet det.\npouletssdqsinet er beteqnct at\nudciqne det forfkelliqe Vandforbruq\ni ngnets Timer og holde Trost-i\nkonstant Dei bar en Reiervebefwlds\nuitm, sum han« skal bruacgs tilends\nsusfonot Tot lmr kostet s2,5««,»()0.\nTon nnmtinc Vm1dchning, sont fo\nnsr hersta, er den lastmste ou dolus\nftc i Vorbesi. Ton Jocranar lmmt\nVnndlcsdninzmt i dct qmnle Nons,\nsum bar staat-f novcrtmffel E Islnr\nhundrskdvc\nIm Nisfesktvoiret blivcsr Lodnitmon\nesn Viergtunncsb fom cr omtth ni\nMil lang. Den begonder tin-d en\nDiameter of 15 Fod under Man\nlmttan og indfnches cftcrlmanchn\ntil II Fodsis Diana-tot\nVrooklyn imacs acuncm on Tun\nnoL soIn war under Eofi Nimm\nsum-nat apum-m Klippen dnbt tm\ndot- Flodenss Bund. Quem-s funr\nsit Vnnd msnnmn et Staalrør fm\nNrooklnm ou bot-im fort-r oafcm et\nJernrør til antcsn Island\n«\nSidstr Nyc.\nFra Camoka South Afrika, las\nsesks til Morgen i Dag, nt »Aus\nTrndcs FedomtioM oa »Ihr Rand\nPrint-riss« i Aftosfs proklanwrcdeNc\nmsmlstrikcs Heime-m hole South Afri\ncan Union. Totrediedcle stemte for\nVesslutninacn ----« Som Modttcvk\nproklamerede Regetinaon straks\nKünsten Der er uMaa Spasndingp\nder for-staat now-It ,\nFm Tokio, Japan, lwfost Japan«\nmsder tappt-ist en spbbelt Tut-na\nfolssnnacrsnød i Mord oq Jord\nfkaslv og vulkansk Ohr-nd i Syd»\n10,000,000 Menneskck lidet Mangel\ni nordtcs Bondo oa Hokoida manni\ntsr dgdo Hungers-habest Do vol-»\nkansko Udbkud fruetmango\nMajsindføkclfe fks Argenti-c\nNew York, H. Jun. -- Nasftrn\n:5l»s,«»« Vnslnslsri urxnsntinst Maics\nlocsicsdosts i Musikin h» f Dau, on»\nknsr er Uiurt sinnst-un for Sllkilli0-s\nn» Vitflnsliz men- fm den sodanner\nsanfte- Ncpnblit Jndsorslen er in\ndirekte Folge ni, nt Tolden inter\n·drn Inn- Toldlnn or knsknssct Lucr»\nknown-» Vu. H- indsort i To Fur\ntsncsdts Etattsr. sidcn den Inn- Toll-—\ntun tkcmdtc i Kraft. Fra Argenti\nno or disk ikkts for indsnrt TI.)«’nj-:s, oq\nKonkurrenten lmr allen-de tun-met\nPrifksn neb. ltk Etilns er mit-n nn\ndisr Veij cslltsr de cr i Faer nnsd\nat indtkmc Mosis im Argentiuts, ou\net nnnsrikanfk Firma, sont fabrik\nrcsk Sirup on andre Produktcr as\nENan bar ajort Kontrast for 5,\n0()0,0s)0 Vuslnsls sm nasvntc Land.\n— Ncmr den ums amontinske Majsi\navl blinkt indbøstct, vil Jndføkssen\nist Handrcsantoritcttsr tiltaqucrns\ndann-rni- cr nforlnsrodto pan at time\nisnod donne Mass, oa der er heller\nikkts Dokplads for den« Man føaer\nnt bade vcm Manulcsrms paa bodftc\nMonde.\nFra Cbimqo moldos stimme-Dag\nat det starre Prisfald qik en Ccnt\nlasngere ned den Dag. Argentinfk\nMajs scelges for Tiden i New York\n4 n 5 Conts pr. Vu. under, hvad\ndcst kan fnslmss for til Afskibtti1m,\ni Cbicaga Jan-es A. Butten adm\nlor Haob on1, at Prisen paa Mai-I\nvil date cudmc more-, og med Tidcsn\noil dct bidraae til imm- KIdprodnk-·\ntion· «».« »H\nMonm- Bankcsr Haar fallit. Sau\nPaulo, Brasiltmi, R, Jun. Tun-or\npomdom Co. lusr i Vncn or gmust\nfallit. Don-us Fallit immlvvrcsr 46\nPunkt-r i do ftøms Wer i Statcn\nZno Panto. Alle disscs Vnnker blep\nanmdlaat of Jncorvomdom Co.\nTot siqu at flcrr ndonlandskr Fi\nnansinftitntimw er -soltcsdkkedito\ncome-.\n.\nVom-n on Fkgnkrjw Viskoppcn aj\nOrlmns bar ovokfor »Gmslois« cr\nklwret. at Peinen bar meddelt binn,\nat Frankria vil vendcs tilboqc un\nder Pavcstolen· ankriqs reli\nqiøsc Jndflndelle, der bar været\nkcdsaqet af faa vasrdifulde Birmin\nacr. vildc aao til Grund-, derivm\nbot antikleriknle System bedle at\nbestan.\nHorTTagt.««\nWW\n»w-» WM\nLnsdna i sidsns Uge beslnttede\nZkolernndct i Clnszo nted H niod\ns Stcnnnvr at ndelntko Its-»wun\nUjojms on .,«n(-tsmml puritn« sont\nllndcsrnigninngfan fm Born-J Ern\nlist-.\n.\nPolitjkkon bcsgnnder at røre pna\nsin i Minsnssom Win. E. Leu-, Lang\nPfand-»der er progressiv repnblis\nknnsk Wanst-notiertdidnt, rnndcr til\nfor cnhvcr Prisz ikkcs at san mer-)\nnnd ern Knndidnt i Markt-n nnd\nPrimasrnalaet intde Rudern-r Eber\nlmrt. Han stiller qu sclv pan lizns\nFnd mod anim- nrosnoktitns Knide\ndafer.\n.\nAfflmnst Arlnsjdszlsjwln J Port\nland, Lus» linvdo nmn 500 erben-ti\nløfc Mnsnty som lmvde fooct nmtics\n:I««ntloins. Man knin dn ownan om\nnt ville lsndc lnnsr. der vilde arbei\ndr, 26150 om Dom-n for at samlks\nStcn samtnen. Et Pnr Hund-rede\nkoin til Vnknadssnlrn on for-imm\nfin mnnmcndc Lon og Arbcjdcitid\nDa de børtch at Konnnnmsn vnr\nlnsftmnt nnn nt lustnlo 8150 fnr en\nDnns Arlchdc, tmk de fiq nnsd over\nlcacn Dann tillmmu sinds dor.\nI\nlltmat i Chimgkr J ,,Ztand.« af\njidstc Fude lasscsts bl. n.: .,llsasd«\nmutig summt- Nndculukker fmtdt\nZtcsd Lust-dun. Eva lillcs Pigc blu\ndmsbt nf m Eporvomi, on Mund i\n35 Aarcs Aldcsrvn bit-v drasbt as en\nI’ltitoumlsil, ou Tallrt pim dem,\nsont Pan en cllcsr nudon Munde kon\ntil Zkach visd at Mino Werk-w ved\nEnmnnsnslød nusllcsm Nimm-, Imm\nou til over ZU«\nI\nAnnonco for Histkolcislcwr For\nfor-su- Nmm i Vom-J Historiih nusldkssrs\nM- fm Ilklvilndclvbia under II. d-:.,\nlmr man amsrtrwt for at dmnv Eli\nwr. Tot er Stolen-anbot der lmr\nstartet Kannmqncn ved at benledc\nLvitiasrksonclmdm Wo lmilsts For\ndkslks Willimn Ptsnn Hoffknlm by\nder sasrlig unav Maor\n.\nllmsntct Am Fm Kansas- City,\nMo» mosch ander 9. dss., at 21\nTime-r often at J. T. Howcll fra\nCouncil VlnffsT Ja» liavdo liedcst\num ist frit Maaltid Mnd oa is Stcd\nat fovc modtoq ban en telmrafisk\nMcddtslcslsa at en Onkel i Nan\nYork var død ou band-s oftcrladt\ntmm on Arn of 850000\nMod Ealounesk Vtsd det aarligc\nNommunmmlq i Rodtwod Falls,\nMinn., Türk-das i fidstc Unt- bkev\nSaloonerne nodstcm med ist Flor\ntal af 73 Sommer J Fior upd\nfkrmted de med ist Flortal of 16\nStrmmcsr. oq i 1912 stod Stern-ne\nnntallct lims —- en and anqmm\ni Rotnina of Afbold.\nJst-w Bursc- nms Twmmcstcn Jolm\nP. Miit-lieh sont klkytuarödnu over\nLog sit Entbcdc udtalto ved den\nLtsiliglusd Lnsktst om, at der under\nlmnsz Ztnnslsc numtte blink- simk\nM mindre ou arlnsjdet des more\nou at du« umattks finde et til-stiftet\nnasrdiqt Smtmrbthde Stcd melchn\nalle Administratiomsns Ort-ne - —\nMstclnsl valatoss nusd out-kommen\nde Slskuioritot over Tannnayyäs Kan\ndidat, Ja dct sum-s, som man vcntcr\nfiq nusmst nf hom.\n.\nHand chmcidts Saa. wacrnc vi!\nuisindisss. at Muts Scbmidt, der\n»sin Tid var Prwst vcd on katolfk\nKirkc i New York, blcsv anklagt-f for\nat have myrcht Pigon Anna Au\nmüllisr etc. Hans Sag bat nu va\nrot for Netten i New York, mvn ef\nter 36 Timch Votoring erklasrtsdts\nJus-von, at den kkke var i Stand\ntil at ones om en Kcndelfe Den\nanklagt-de- blvv saa fort ttlbaqe tif\nsin Colle.\n»\nHorden raubt.\n»vv—.-V.--.«k.-.\nJordskaslv i Uraskcnlnnd. Athen,\n7. Jau. Et smsrtt surdskaslo uoldtcs\ni Gaur stor Stade paa Ejmdom i\nProvinjeruc Elis ou Pcloputtccs.\nI\nJødertns I Russland-. Ohr-Osa, Hin-J\ntand, U. Jan. J Skartshch m\nfolkcriq Rot-sind til Ludz, uugrcb i\nHat-dass on fanutifk Folkchub TM\ndcrne ug plundrrdc den-«- Hnso og\nBin-findet Ecxjten Jøder og trc\nJødjndcr lilcv ulvorlig sann-t. Trop\ncpmus undertmktedo Lplølnm\ns\n« Ztor Meteor : Fraun-ig. Paris,\nFU. Jun. Folk i der lnsftlims Frank\nIrm san i Astris en nier Meteor.\nder førft blcv iaattacht i Tours-,\nfan- lusnotusr Hiunntslm Tot lnslo\nfna nd sont et lmmt Toq nf lmido\nFlamnustx der qik mod on forfwrdcs\nIlig Fort. Tot lcdfathchs of en\nIMaande fryqtcligc Eksplosiouer,\nHain fnustr Mude Meteoren faldt\nist-d i Søcn baa ved Paimprl vod\n»den engelfke Kaval, oq den noldtcI\nTon faadan Lin-m, at Folk trat-du at\ndet var et Jordskasln\nNød i Allmtiiisn. Wien-, 12. Jan.\nJ Privatbrrvcs fm leiona fortaslleT\nat i Albanicn lnsrsker Dnrtid og An\nnrki. Pan Grund uf Pisimismnnqisl\nstaat alt stille i Form-tuUms-verdr\nHiisIL Tor udførissi inm, ou Jud\nIførselcu or fiin ringt- ut Tit-solc\nYningen muss af Hat-freut Hungers\nnot-. Priferms pim Mel oa Kød ck\nnlmro lmjcn ou imdisn Fødcvarc kan\nimnskchg opdrinisizi. Vormi- ou\nLandsbmsrne er oncrivømnnst as\nInmier d» optmsder saa trink-n\ndi-, nt do iiwritusft kan betrogne-:\nsoni Riner Di- rcisende fmnr al\ntid i Fun- for at blind pinndnst ou\nnmrdist.\nI\nllnisir i Schweiz. Vora, Schweiz,\nl:3. Jun. Floderne i Schweiz stigm\nnnrtiq paa Grund af Tøvcjret, og\ndisk isk stor Fare for Skrcd. J Pen\nnsnbcm blev en lille Pige rcvet\nDort. Vcd Martigny hat et Stde\niiffkimtist Forl)"11dc-lspn mod Clmble\nou Sembrancher. St. Gottbards oq\nArner on Armftisin-«!Ianc-rncs:sZkin\nnmanu isr blisvct affkanrist as suasris\nZur-sind oq ist Tag blisv nfsporet as\nist wad visd Vodensøcii Tom-ais\nsan ikkts zum imsllcm St. Wolltin oq\nSpeicher Dist lmr fnisist oq regnet\nunfladislia i to Tann, san der er stot«\n»Dort-spottweise Bodens-en stiuisr\njmm ou fimsirncnde Moqu.\ni I\ni ."3«-li«1ektt-Ec1k1("sl. Følqende er ri\nInn-Umriss forelølsiq Llfslntnitm nf\nIen Zim, sont i ftere lluer lmr lnsldt\nTuskland j Epiendxtw\nStandban Elsas-, W. san.\nLderft v. Reuter da Løjtnant Schad\nsosn var fat under Tiltule for nt\nlnwe lmndlet nlonlint Inod Jndbug\ngerne i Rudern, blev i Tau fri\nkendt nf Wink-retten RettensJ Puls\nIsident fande, idet lmn fortlarte Tom\nnsen, at det var bevist, at Reqimen\nltetcs Officeker var smdin blevet in\nIsnltetet af de civsle. sum endon knw\nYde kostet Sten pim dens. Ved een\nAnledninq bten der oqsna skndt. Net\nten tun-, faade ban, overbevist otn,\nat de civile Myndigbedet ikke hav\nde vist den tilbørliae Enemi i Net\nninq as at fastte en Stower for\nMat, on Officererne aiorde Net i\nat arresterc dem, sont lmvde for\nnasrmet dem. Omkosmitmerne skal\nbetales as Staten\nPuven on den verdsline Maqt\nVna en Katolikkonares i Milmm\nndtcjlte Ærkobifkoppcn af Udine for\nnvlkq, at Paveftolen ikke lasnaere\ntwnkte pnn at acnoprette Pavens\nverdsliae Gerad-rnan den vilde\ntvwrtimod føle sia tilftedsfttllet\nlwis der blev fkabt international\nGarantier for Pavcdømmets Uafs\nbwnqiqbed Det pavelige »Obferva·\niure Romano« udtoler imidlertid\nat ingen hat vasret bunyndigct til\nat afuivcs noan Erklasring paa den\nkwllige Stolsz Vegmn Dct har hel\nler ingen vjllct Hort-; tlii det er al\ndclcsirs jfkis lusvift, at Wuoprettclsen\nnf Waden-:- visrdisligc Meint äkke\nknnde ble on politifk klkøduocIdig—\nbed.\nHornu—anc--Enkusn. sama-komis\nforsøxusnc stmndor. London, 7.— Jan.\nVladxst ,««.Uc’orninq Post«, der støttcsr\nlhtionisumrtict, sinkst, nt Kaufen-n\nsksn mollcnt Promierminstsr quuitb\nou Ommsitinnenss Fønstx Andre-w\nmer Lam, om Hotuc anc for Ir\nlnnd ika føms ti-s nagt-t. Vlndct\n»aus-nur« at Oaabist om et Kotnpros\nmIss man npgivksikx Mr. Assanitb\n5fnl have Imsttvt at am mrd par-,\nnt Ulfnsr sknldks slippr fri for at’\nkommt-» nnd-er den ums Lon, felv\nmidlcsrtidiq. Thomas Wnllaco Nur\nsoll faqdis i Afteäa nt lmics der bit-v\nTon-n- i Ulsthn vildts Rom-ringen\nqivo dem 2-1 Tinusr til at nodhmxw\nVaalusmsrnc Gan ists-jede at Home\nane Forflnmst tilde blivc Lov nas\nftcs Sommer\nJødtstirolialnsdisr i Numcknicsn\nJ Jus-Hin i Nimmsniisn kom dist Som\ndaq den BR. Tisc. til alvorlicus Sam«\nmonfiød mellcsm Jødisr oa Sachl\ndcsmokrathr paa dtsn one Side oq\nAntisismitor on Militwr pan den mi\ndon. Milftwrct nmatte uøre Vnm\nus Vajoiiottisnic. Antiieniitifko Stu\ndenter overfaldt Jødcrms med Pwal\nou flog Vinditerne ind i iødiskc Hu\ns(-. Stasrke Husinatrouillcr droa\nqcsnnem Vor-n og fort-Log talrige Ar\nrosmtionisu\n.\nKoffer og Sosialdemoqut Undcr\nM tuka Keisprpars Visføa for nn\nliq i Miichcsn vor dot- stor Muth\naelfis Pan Naadlmfcst. visd vallon\nLisiliqlnsd Koffer Willnslm mktis\nIliiisstfornmndcn i Vomismspmsfeuto\ntionesn, Eocinldisinnkmtisn Witti.\nHaandeik oq Kisjforindvn fest-to en\nliwigero Smntalo nicd lmni. »Vor\nwwrts« tin-nor, nt livis dette er rig\ntigb vil Hör-. Wittis Huldniim mode\nden skorpisftc Misbilliqelfe lios bans\nPartifwllor.\n.\nAlbaniowz Furqu Neu-Wird 29.\nDecember Eiter tmnd ,,Neu-Wiisdc\nrisr Leitung« ist-sonst fm sikkcr Kil\ndr, link Prinss Wilhelm til Wicd\nliidtil iklis itsodtnmsk noacn Depittæ\ntion fm dist allmnosisko Folk, oq dct\nor ksndnn ika befme nimr on lwor\nen saadan Modtaqclsis vil finde Sied.\nPrins Wilhelm sorblivcr indtil Nyts\naar i Neu-Wird oa vondor disrestrr\ntillmue til Posdmn Der er isndnu\nIf I « « « «. -\nk« Tkl..«.". pigxioiitmnrr aiment-irde\nPrinfonis endcliqcs Afrcsfscn Det me\nIiis-:., at Titmzzo sknl vaer sont-d\nftnd i Fnrswndømmet Allmn«cn.\ni\n;I)nan lnsrfkvtt PMin PL. Jan.\nTot kincsfisfc Parlament der i fle\nns Tllkaancdor praktisk talt ika hat\noft-Hirten blcv i Gaar vcd csn Pro\nflancation opløst. Ncsarriums-mach\nder nu siddor vod Maatth aodkcnds\nto Forstaavt. disk- skal vaer konnswt\nfra Nemtblikkcns Vicoprwfidvnt,\nGeneral Li Yuan Heim, oa dcs mili\ntaer oa civilcs Gnvrmønsk i alle\nProvinscr. Dis fandt i December\nat Parlammtot fkuldcs opløsps, on\nMagie-u ovcrdrakuss til Prasfidcsntm\noa hans Raub\nDet bcddcsr i Proklamationen, at\n»Parlannsntest vil blivis sammenkaldt\niacsm naar det findt-s nødvendiat.\nDrt or Meninaem at Regt-rings\nraadist nu skal udarbcidc en Grund\nlon. Naadvt bar 71 Modlommcsr on\nboftaar af Macriuacns Medlommer\nna andre Masnd, fom er ndnasvnt\naf Prasfidmks Ynan Sbi Kai, samt\naf Mauern-kehre i Mvincernr.\nFinidlcrtid trucr tu- modtsratcs Med\nlommer af bot ovløfte Parlament«\nmisd at drive en fredtslka Aaikation\ni Vrovinsernc mod Prassidentens\nsandkomaade Der vifor fia onsaa\nTean til, at de vderliaaaaende tren\nkor vaa at faa i Stand et nsjt Op\nwr', 'edition_label': '', 'publisher': 'Jersild Pub. Co.', 'language': ['Danish'], 'alt_title': [], 'lccn': 'sn86086559', 'country': 'Nebraska', 'batch': 'nbu_fourtusker_ver01', 'title_normal': 'danskeren.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn86086559/1914-01-14/ed-1/seq-1.json', 'place': ['Nebraska--Washington--Blair', 'Wisconsin--Winnebago--Neenah'], 'page': ''}, {'sequence': 1, 'county': ['La Crosse'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn86086186/1914-01-16/ed-1/seq-1/', 'subject': ['La Crosse (Wis.)--Newspapers.', 'Wisconsin--La Crosse.--fast--(OCoLC)fst01207161'], 'city': ['La Crosse'], 'date': '19140116', 'title': 'Nord stern. [volume]', 'end_year': 1921, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Available on microfilm from The State Historical Society of Wisconsin.', 'Description based on: Jahrg. 1, no. 2 (6 Dec. 1856).', 'In German with some columns in English.', 'Supplements accompany some issues.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'La Crosse, Wis.', 'start_year': 1856, 'edition_label': '', 'ocr_ger': 'Der „Nordstern" ist\ndie einzige repräsentative\ndeutsche Zeitung von La\nCrosse\n57. Jahrgang.\nTnist-BMast.\nSchaffung einer Zwischenstaatlichen\nHaiidelskommission der\nHauptpunkt.\nWashington. 14. Jan.\nPräsident Wilson setzte am Dienstag\nden Mitgliedern de Cabineis seine\nIdeen über die Beziehungen der Re\ngierung zu den großen Coiporaiionen,\ndas Feld, welches die Aniilrustgesetz\ngebunq IN der gegenwärtige Session\ndes Congiesses bedecken, sowie den\nGeist, von welchen diese Gesetze seiner\nAnsicht nach beieelt sein sollte, ausein\nander. Friede und mchr Krieg, freund\nschaftliche Vermittlung und nicht feind\nlicher Antagonismus, und dennoch ein\nProgramm des Ausbaus, durch welches\ndie Ungewißheit über die Antitrustge\nsetze eltminirl und das Wachsthum der\ngroßen Geschäfte und Industrien gesör\ndert wird, das sind in große Zügen\ndie grundlegenden Prinzipien der Pläne\ndes Präsidenten, welche in der Spezial\ndoischatt enthalten sein werden, die\nnächste Wocke in gemeinsamer Sitzung\ndes Congresses zur Verlesung g-langen\nwird.\nDer Präsident legte dem Cabinet\nda Dokument vor und war den ganzen\nNachmittag über mit unbedeutenderen\nAenderungen beschäftigt, dir aus der\nCabinelssttzung rcsul\'.inen. Mitglieder\ndes Cabtnels sprachen sich begeistert\nüber die Botschaft aus und versicherten,\ndaß dieselbe eine fortschrittliche Erklä\nrung sei, welche der Geschäftswelt die\nGarantie geben werde, daß die Admini\nstration die ehrliche Absicht habe, sie\ngerecht lind ohne Borcingenommenheit\nzu behandeln. Heute wird Präsident\nWilson die demokratischen Mitglieder\ndes SenalskomiteS für zwischenstaat\nlichen Handel und deS Justizkomiles\ndes Hauses mit seiner Botschaft be\nkannt machen. Soweit man bis jetzt\nüber diese Botschaft unterrichtet ist.\nwird sie die folgenden Hauptpunkte ent\nhalten:\nErstens Amendirung der Sher\nman-Akle, damit die debatlirbaren\nPunkte aus ein Mindestmaß beschränkt\nwerden.\nZweitens Verbot gemeinsamer\nDirektoren in verschiedenen Firmen.\nDrittens Größere Verantwort\nlichkeit der schuldigen Individuen bei\nallen lleberrretungen der Aniirrust\ngesetze.\nViertens Schaffung einer zwi\nschenstaatlichen Handelskommission, die\neinmal ein Jnsormations-Bureau sei\nund dann durch Untersuchungen fest\nstellen soll, ob etwaige Auflösungs\ndekreie und sonstige Genchtsbesehte be\nfolgt werden.\nDer llei henkle Eiililirnl.\nBor kurzem haben die Geographen\ndaü nahe Ende eines der ruhmreich\nste! und schönsten Ströme der Welt\nangekündigt: den Tod des heiligen\nEuphrat. Er stirbt unter der Sand\nwelle, die seinen Wafferlauf allmählich\nverschüttet, einen Lauf, der für die\nEwigkeit bestimmt schien. Aber lang\nsam ist der Euphrat vor den eindrin\ngenden Sandmassen zurückgewichen,\nund jetzt rüstet er sich vollends zum\nSterben, wie vor ihm die Wunder\nstädte dahingesiecht sind, die sich an\nseinen Ufer erhoben. So verschwin\ndet mit ihm eins der Weltwunder, das\nder Phantasie die lachendsten Bilder\nvon Glück und Wohlstand vorzaubert;\ndenn mit dem Nil zusammen ist der\nEuphrat der berühmteste Fluß der\nErde, der die älteste Zivilisation der\n„heidnischen Welt blühen und ver\ngehen sah." Ja, die jüngsten Ent\ndeckungen haben sogar den Beweis er\nbracht, daß er überhaupt wohl die\nälteste Zivilisationsquelle darstellt,\nweil allem Anscheine nach die Begrün\nder des Pharaonenreichcs vom Persi\nschen Golf kamen. Es war die chal\ndäiscke Technik, die der ägyptischen\nKunst die Mittel zu ihrer Entwick\nlung gab.\nMesopotamien war im Innern eine\nvon der Sonne ausgedörrte Wüste,\nund allein die Kanalisierung des\nEuphrats brachte es fertig, diese\nWüste der Kultur zugänglich zu ma\nchen. Jahrhunderte gingen darüber\nhin, bis das Werk zustande gekommen\nund die Wüste zum Ackerland gewor\nden war. das große Städte erstehen\nund blühen sah. Die Hartnäckigkeit\nund die Kraft des Menschen haben\nhier die Natur überwunden; aber bald\nkam die Zeit der moralischen und po\nlitischen Entartung, die alles verän\nderte. Als die menschliche Energie\nder Verweichlichung Platz machte,\ntrocknete der Boden wieder aus, und\nder Sand nahm vom Wasserlaufe\nBesitz. Unter dem Staubregen star\nben die Wunderstädte dahin und erst\nvor etwa fünfzig Jahren gelang cs\nden Archäologen, die versunkenen\nStädte von Ninive und Babylon wie\nner ans Licht des Tages zu bringen.\nDamit erwachte auch der Euphrat zu\nneucr Tätigkeit. Unzäh\'ige Ladun\ngen von Terrakotten und Statuen\nund Kunsttlümmern gelangten auf\nibm zur Verschiffung. Doch es war\nnur ein kurzes Eintagsleben. das dem\nfteiligen Strome betchieden war. Heute\ntiezt er wieder still, vergessen, und\nrüstet sich endgültig zum Sterben, aus\ndem es kein neues Erwachen gibt.\nf Nordileä or Sroiit, 81.\nNach Fort Bliß.\nSekretär Garrison ordnete die Hefter\nführunz der mexikanischen Sol\ndaten dorthin an.\nWashington. D, E-. 18. Jan,\nAlle mexikanischen Regierungssolda\nten. welche sich jetzt in der Obhut der\namerikanischen GrenzpalrouiUe in Pre\nsidio, Tex., befinden, werden nach Fort\nBüß gebracht und dort auf unbestimmte\nZeit belassen werde, Sekretär Garri\nson gab am Moniag Nachmittag diese\nOrdre und verfügte gleichzeitig, daß die\nflüchtigen Frauen und Kinder die Sol\ndaten begleiten können, wenn sie eS\nwünschen.\nUngefähr 3000 mexikanische Osfiziere\nund Mannschaften von Huerta s Ar\nmee habe den Rio Grande überschrit\nten. als die siegreichen Rebellen in\nOjinaga eindrangen, und mit ihnen\nsind 1500 Civilisten, Männer. Frauen\nund Kinder, gegangen, die auf ame\nrikanischem Boden vor den Rebellen\nZuflucht suchten. Letztere sind nicht j\nGefangene, sondern diirfen gehen und\nkommen wie eS ihnen beliebt, ohne\nvon den Militärbehörden daran ge\nhindert zu werden, wenngleich sie eine!\nUntersuchung seitens d r Einwände-!\nrungsbehvrde zu bestehen habe wer\nden.\nVorbereitungen für den\nM arsch.\nPresidio, Tex,. 18. Jan.\nSechs Generäle der mexikanischen\nBundesarmee, 3300 flüchtige Soldaten\nund 1500 flüchtige Civilisten, die letz\nten Samstag von General BiUa\'S Re\nbellentruppe aus Ojinaga, Mex„ ver\ntrieben wurden, mußten sich ain Mon\ntag auf einen vier bis sechs Tage\ndauernden Marsch vor: 67 Metten nach\nMarfa, Tex., vorbereiten. Die Sol\ndaten werden aus unbestimmte Zeit in\nFort Bliß untergebracht werden. Ma\njor McNamee hat Vorbereitungen ge\ntroffen, damit die Mexikaner sofort ihce\nQuartiere beziehen können, wenn sie in\nMarsa eingetroffen sind.\nAntorascr in\'s Gefängniß.\nSan Francisco, Cal.. 13, Jan.\nDer Millionär Richard McEreery\nwurde am Moniag im hiesigen Polizei\ngericht wegen Ueberrreiung der Ge\nschwindigkeitsgesetze für Automobile zu\nfünf Tagen Haft im Couniyqesänginß\nverurtheilt. Tie Alttounfälle haben sich\nin der letzten Zeit derart gehäuft, daß\ndie Richter sich entschlossen haben, Haft\nftraftn an Stelle der Geldstrafe zu\nverhänge, um dem Uedelstand abzu\nhelfen.\nD.u iruM und Mcr.\nProfessor Metschnikow Arbeitet, wie\nbekann\', im Pariser Pasteurinstftrit\nseit langem daran, die Ursachen des\nfrühzeitigen Alterns zu ergründen.\nDie Beobachtung, daß die Lebens\nlange der Tiere im umgekehrten Ver\nhältnis zu der Länge ihres Dickdarms\nsteht, führt Metschnikow zu der Ver\nmutung, daß die im Darm vegetieren\nden Bakterien an dem vorzeitigen Ver\nfall unseres Organismus die Schuld\ntragen. Die von diesen Mikroben\nproduzierten Gifte sollen die Ursache\nunseres kurzen Lebens und der\nKrankheit unseres Alters sein. Tier\nversuche ergaben Degenerations-Er\nscheinungen und sogar Tötung der\nTiere durch solche Darmgifte. Zum\nBeispiel verursacht das Indol, ein\nProdukt der Darmfäulnis, das als\nlangsam wirkendes Gift die bekannten\nAkterserscheinungen hervorruft, vor\nallem die Arteriosklerose, die chronische\nEntzündung der Nieren, kurzum Er\nscheinungen, die für den im Alter ein\ntretenden Verfall charakteristisch sind.\nMetschnikow schlug zuerst, um die\nProduktion solcher Gifte in unserem\nDarm und damit die Altersdegenera\ntion zu bekämpfen, vor. Milchsäure\nbakterien zu verspeisen, da Säure den\nFäulnisprozeß hindert. Diese brau\nchen aber einen zuckerhaltigen Nähr\nboden. Nun dringt der mit der Nah\nrung ansgenommene Zucker nur höchst\nselten dis in die unteren Darmpar\ntien, und die Milchsäurebakterien ver\nmögen daher gerade an der wichtigsten\nStelle den Kampf gegen die Fäulnis\nbakterien nicht aufzunehmen. Es\nmußte danach, wie die „Naturwissen\nschaftliche Wochenschrift" berichtet,\nversucht werden, eine Produktions\nquelle von Zuckerstoff im Dickdarm\nselbst zu finden. In der Tat konnte\nein Darmbakterium ermittelt wer\nden, das Zucker aus Stärke bildet,\nohne die Eiweißkörper anzugreifen.\nDas zuckerbildende Bakterium paßte\nsich den Verhältnissen im menschlichen\nDarm überaus aut an und erwies\nsich absolut unschädlich, und di In\ndol- und Phenolbildung im Darm\nwurde sowohl bei Tieren wie bei\nMenschen bedeutend herabgesetzt. Zur\nUnterstützung der Wirkung empfiehlt\nes sich. Kartoffeln in jeder Zuberei\ntung zu essen. Außerdem ist es not\nwendig. den Fleiscbgenuß soweit wie\nmöalich einzus ranken. Das zucker\nbildende Bakterium lüdet den denkbar\nbc\'\'en Nährboden für das Wachstum\nund die Anffcd\'.nng der Müchffä\'. rQ:k\nterien im Darm. und erst im Zumm\nmcnwirken bien:\',:; erzielt man die\nvolle Wirkung.\nBcrMlicitcr-ft>iuct\nI\nIceue kosincoittraktc sind die l>aupl\naufgabe der Nniked INine I\'Oor\nkers os America.\nIndianapolis, Jnd., 18. Jan.\n178 i Delegaten, welche 415,000 Mit\nglieder vertreten, werden dem 24. liiler\nnationalen Convent der Unncd Mine\nWorkerS os Amenca beiwohnen, welcher\nani 20. Januar hier eröffnet und drei\nWochen dauern wird. Es wird die erste\nVersammlung unter der neuen Consii\nl\'ilion sein, welche vorschreibt, daß der\nCvt\'venl alle zwei Jahre abgehalten\nwerd\'il muß.\nj Nack\' der Erklärung von Präsident\nJohn P, White wird es zu teliiertel\nFaklions.\'ämpsen kommen. Er fügte\nhinzu, die Zahl der Mitglieder habe\nsich in den letzten beiden Jahren nahezu\nverdoppelt. Die Hauptarbeit de Con\nvents wird die Festlegung des Lohn\n- contrakls sein, welcher an Sl-Üe des\n!am 81. März 1914 erlöschenden treten\n! soll, welcher die Kohlengrubenieute be\ntrifft. Tie Delegaten erden bestim\nmen, welche Forderungen von den Ar-\nbeiter gestellt werden dürfen.\nArveilssekreiär Wilson. Senator Kern\nund Dr, I, A, Holmes, Chef des Bun\ndesbureaus für Grubenwefen, haben\nunlcr Anderen Einladungen erhallen,\neme Aujvrache vor de Tetegale zu\nhalten.\nTratMlische Tlrnfe.\nOickland, Cal,, 14, Jan.\nWeil der 25 Jahre alle TANARUS, C, gulls\nWerkzeuge im -„erlh von 75 Cenis ge\nstohlen Halle, wurde er am Dienstag\nvon Richter Frank B Ogden in Oak\nland. Cal., aus acht Jahre nach dem\nSa Quentin Gefängniß geschickt. Der\nRichter begründete da Urtheil damit,\ndaß Fulis im letzten April unter Pro\nbaiion gestellt worden sei, daß er gegen\nden Wunsch de ProbatioiiSbeamttn\ngeheiralhel, sich häufig betrunken und\neinmal seine junge Frau mit einem\nRevolver bedroht habe.\nCtiina\'s Parlament aufgelöst.\nPeking, 13. Jan.\nDa chinesische Parlament, welches\nbereits seit Monaten existenzlos war.\nwurde am Montag durch eine Prokla\nmation von Präsident luanschikai for\nmell ausgelöst, nachdem der Berwal\ntungsralh der Republik seine Zustim\nmung gegeben holte. An dem Per\nwalluiigSrath wird es jetzt sei, eine\nBenassung auszuarbeiten. Diese Kör\nperschaft zählt 71 Mitglieder und zählt\ndie Cabineismiiglieder und die Pro\nvinzialgvuoerneure, sowie andeie vom\nPläsidenten ernannte Männer zu Mit\ngliedern.\nIn der Zwischenzeit werden die ge\nmäßigten Mitglieder de Parlaments\nin allen Provinzen der Republik eine\nfriedliche Campagne gegen diese Schritt\nvon Präsident luanschikai l i die Wea\nteilen, wahrend die Exiremen ver\nsuchen werden, eine neue Revolution\nanzuzetteln.\nWiiö i.\'r l.i.c drehet?\nJeder hat schon civnnil eine Brehe!\nglgeffen. Wie viele wissen aber, was\ndieses Wort eigenNich bedeutet? so\nfragt Adolf Stöbet in einem hübschen\nAufsätze über Volksetymologie, Und\ndoch hat Jeder, der darüber mit un\ntergeschlagenen Armen nachsinnt, im\nwahrsten Sinne des Wortes die\nBretzel vor sich, denn sic ist nichts an\nderes als eine Nachbildung seiner un\nterschlagenen Arme, freilich imKleinen.\nDenn sonst würde sie Bretze heißen.\nBretze ist nach Jakob Grimm „ein in\nGestalt untergeschlagener Arme ge\nbackener Brotring und Bretzel die Ver\nkleinerungsform. Dies Wort ist aber\nnicht urdeutsch, sondern es kam zu uns\naus Italien, und hängt mit dem\nitalienischen „braccio" zusammen."\nDie Italiener nannten nun dieses\nnach beiden Armen geformte Gebäck\nmit dem Plural „bracci", und daraue\nentwickelte sich das deutsche Bretze-\nGebäck. von dem nur noch das Dimi\nuulivum Bretzel erhalten geblieben ist\nEine unverkennbare Verwandtschaft\nhat die Bretzel, die gewiß Verhältniß\nmäßig jungen Ursprunges ist, mb\neinem einfacheren und viel älteren Ge\nbäck, das von seiner Gestalt her einer,\nurdeutschen Namen trägt. Es bilde!\neinen Kreis, einen Ring, und heißt\ndeshalb Ring oder Kring, woraus\ndann genau wie bei der Bretzel die\nBerkleinerungssorm Kringel sich bil\ndete. Ter „Kring" als Gebäck ist\naber noch nicht lange ausgestorben.\nNochum 1780 schrieb z. B, Merck aus\nDarmstadt an Goethe: „Meine Frau\nläßt schon einen Pfingstkringen mehr\nfür Sie backen", und in dem 1865\nerschienen „Namenbüchlein" von Vil\nmar erscheint sogar noch der „Rinken\nbäckcr", der die „Riim-" macht. Es\nist sehr begreiflich, daß sich erst in\nverhälinißmäßig später Zeit die Di\nminutivformen zur Bezeichnung der\nGebäcke herausgebildet haben. Denn\ndie ältest.n Gebäcke zeigten sicherlich,\nwie die einfachste Gestalt, so auch ein\ngroßes Maß; erst später sind sie dann\nkle.n und in der Form künstlich ge\n! vordem\nCrosse. Wis., Freitag, den u;. Januar l.\nGciicMlmk.\nSämmtliche Gewerk,Misten in\nSüdafrika stimmten i,, diesem\nSinne\nKapstadt, Südaircka zg Jan.\nIn ganz Südafrika wurde am\nDienstag Abend der Generalstreik von\nden Arbeiterverbänden und den Gru\nbenarbeitern de Rand-Distriktes pro\nktamirt: erstere waren t zu I, letztere\n2zu 1 lür den Streik, Die Regierung\npcoktannne als Gegenzug da Stand\nrecht.\nIn Johannesburg ist der Bahndienst\nwieder veffer geworden: u, Natal sieht\ndie Lage dagegen schlimm aus, und au\ndem Oranje Freistaat lausen überhaupt\nkeine Nachrichten ein.\nDie Behörden geben sich verzweifelte\nMühe, möglichst viele eingeborene\nschwarze Arbeiter nach Hause zu schicken,\nehe e zu dem vielleicht unausbleiblich, n\nZusammenstoß kommt; alle farbigen Ar\nbeiter dürfen schon jetzt nach Einbruch\nder Dunkelheit ihre Quartiere nicht\nmehr verlassen. Die Lage wird von\nden Behörden schon so ernst angesehen,\ndaß die Mitglieder de CabinellS nur\nnoch unter starkem bewaffneten Schutz\nausgehen. Ueber hunderttausend Bur\nger stehen bereits unter den Waffen,\nund wettere melden sich immer noch auf\ndie von der Regierung angeordnete\nMobilmachung der Bürgenvehr hin,\nBesonders energische Maßregel sind\nin der Umgebung von Pretoria und im\n„Rand"-Gediet getroffen worden, wo\nan allen strategisch wtchiigen Punkten\nstarke bewaffnete Abtheilungen postln\nsind.\nRegierung ist unerbittlich,\nKapstadt. 15. Jan,\nDer gestern pcoklamiric Generalstreik\nbeschränkte sich am Mittwoch auf den\nOranje-Freistaat und Transvaal, Das\nSrandrechl wird im Oranje-Freistaal\nstrikt gehandhabt. Tie Presse wird\nner strengen Zensur unterworfen. Die\nStrecker dürfen ihre Wohnungen nicht\nverlassen, auch darf die rolhe Fahne\nnicht gehißt werden, noch dürfen dre\nKameraden irgendwie unlerstützr wer\nden.\nNachdem am Dienstag Abend die\nsämmtlichen organisirten Arbeiter in der\nsüdafrikanischen Republik, -n General\nstreik proklamirt haben und die Regie\nrung daraus mit der Erklärung des\nliandrechls geantwortet hat, ist der\nStreik der Bahnangestellleii, der den\nAnstoß zu den jetzigen Wirren gegeben\nhat, nebensächlich geworden. Es han\ndelt sich jetzt vielmehr um einen Kamp!\ndes Staates gegen die Arbeiierverbände,\nTcr Präsident zurück.\nWashington, 14, Jan,\nPräsident Wilion und seine Angehö\nrigen trafen am Dienstag Morgen l:8>\nUhr vo Paß Christian, Miss,, wo iie\ndie letzten Wochen verbracht Hane,\nwohlbehalten in Wastnngton wieder ein\nund begaben sich sostn im Aulomvbil\nnach dem Weißen Halite: dos Thermo\nmeter zeigte um diese Zritur l 8 Grad\nüber Null, für die aus dem Süden kom\nmenden Reisende eine ganz ungewohnte\nTemperoiur. Tie Reise vertief ohne\nZwischenfall, der Präsident wurde un\nterwegs überall ledhcni begrüßt, enthielt\nsich indes aller Ansprachen; sein Befin\nden ist ausgezeictmkl\nWerden wieder beschäftigt.\nChicago, 14. Jan,\nIn den Werken der United Steel\nCorporation i Souib Chicago wurden\nam Dienstag dreuauienv Arbeiter, die\nseit dem 15. Dezember beschäftigungs\nlos waren, wieder eingestellt.\nH. K. Thmv kein (Yemcili\nschcidkli.\nConcord. N, H„ 18, Jan,\nHarry K. Thaw wurde nicht eine\nGefahr für die Allgemeinheit bilden,\nwenn er gegen B rgschofr entlassen\nwird. Dieser Gutacknen wurde von der\nvon Bundcsrichler -brich ernannten\nAerztekommissio abgegeben, die den\nGeisteszustand des cders von Stan\nford Whire untersuche sollte. Es heißt\nin dem Bericht, die mmission sei zu\ndem Ergebniß gekonn en, daß Thaw an\nkeiner Geistesstörung idn, von welcher\ner befallen war. als - White erschoß,\nTer Bericht befind- : sich jetzt in Han\nden des GrrichlSscl i ider und wird\nRichter Aldrich bei ?m noch in dieser\nWoche erwarteten Un eil über das Ge\nsuch ThawS, ihn ge - Bürgschaft frei\nzulassen, als Grün e dienen\n18" Wundervolle Husten-Medizin\nDr, King\'r New I Scovery ist ülw.-\nall dekanni als e:n Mittel, welche\nsicher Husten oder L \' liung kurirt, D,\nP Lawson von Ed , Tenn,, schreibt:\n„Tr, King s New 7 Scovery ist die\nwundervollste Med n kür Husten, Er\nkältungen, den Ha. and die Lungen,\ndie ich je in mein-- Geschäft verkautt\nhabe," Ties ist n weil Tr, King s\nNew TiScovery d jährlichsten Er\nkältungen und Hl \'owie Lungen\nkrankhellen lehr -l kuiin Tie\n> seilten eine Flaicb.- leder Zeit im\n! Haute haben iur Mitglieder der\nFamilie, 50c und Bei allen Apo\nj tüekern oder ver . -H. E Bucklen 5.\nl Co„ Philadelphia- c Sl. Louis, Anz\nZn clstcr Slliiidc.\nSeciisundneun.zict \'Nanu von der\ngestrandeten cLobegutd ,etzt in\nSicherheit.\nParmouih. N, S,. 15, Jan.\nNachdem bklnade jede Hoffnung aus\ngegeben war. wurden Passagiere und\nBesatzung de DampserS „Cobeguid"\nvon ver Royal Mail Sieamship Co,\nMittwoch Abend von dem an einem\nFelsenriff zerschellte Schiss gerettet und\nbefinden sich jetzt hier in ausopfernder\nPslege, Die drahtlosen Hülseruse, welche\nda verunglückte Schiss vor 8> Stun\nden abgesandt hatte, Halle erst in elf\nter Stunde Erfolg, als der Capitan\nschon jede Hoffnung ausgegeben haue,\ndaß Rettungsboote an den aus dem\nTriniiy-FelS, sechs Meilen von Port\nManlond entfernt, an den vom Sturm\nin Trümmer gerissenen Damprer her\nankommen würden. Die Rettung wird\nin den Annalen der Schifffahrt als\neine der kühnsten verzeichnet lem, die >e\nan der allaniischen Küste vorgenommen\nwurden.\nDie Cobcq iid wurde bereit von der\nhohen -ec in Stücke gerissen, denn die\nhaushohen Wellen waren ununterbro\nchen über das Deck gegangen, seitdem\ndas Schiff Dienstag vor Tagesanbruch\naus den Rifs gerathen war. AUeiilhal\nben war da- Wasser in der Nähe mit\nTrümmer des Dampser bedeckt, al\ndie Rettungsboote anlegte. Die Küsten\ndampser West Port und John L, Cann\nwaren die ersten Schiffe, denen eS ge\nlang. Rettungsboote herabzulassen, und\nihnen zolgten bald die Boote de\nRegierungsdampserS LanSdowne und\nder Rappahaiinock, AIS die ReitungS\narbeit >m Gange war, glätteten sich\ndie Wogen, und so konnte die Rettung\nohne weiteres Mißgeschick vollzog,\nwerden,\nCapilän McKinnon von der West\nPort fand die Codequid am Mittwoch\nNachmittag um 4 ,2(! an der südöstlichen\nFelskanie von Tciuiiy, Tie See ging\nhoch und der Sturm raste. In drei\nLadungen brachte McKinnon 72 Perso\nnen. darunter sämnitlichr Passagiere,\nden Zahlmeister, mehrere Deckosstzlere\nund eine Theil der Besatzung >n\nSicherheit, Die West Port stand bei\ndem verunglückten Dampser bi 6:11\nAbcidS. Um diese Zeit erschien die\nJohn L. Cann. welche 24 Personen\naufnahm, wahrend die West Port nach\nAarinoulh fuhr.\ndttt Gerichlttt.\nEin schwarzer Buiniiiler Namens A,\nRiplcy, der immer tvieder aus der Po\nlizeistalivn m Nuchiguartier bestelle,\nwurde von Richter Brliidtey aus dreißig\nTage in der Pastille schön versorgt,\nAlfred Cvonty der von T. Svlberq,\nI-I8 Berllnstraße, einen Sweater\nstöhle, wulde au, zwanzig Tage eben\ndort versorgt, und genau so auch Da\nPara, jener hatbverluckter Kerl, der in\nHauser eintritt und sich dort zu Hause\nmachen will; zuerst that er dies im\nHause von Jodn M, Holle, jetzt aber\nist er i der Pastille daheim,\nM, I, Gleaso von Waukon. Ja,,\nwar mtt einer Rolle Geld nach La\nCrosse gekommen und trank daraus IoS\nbis dieselbe aus eine Bagatelle zusam\nmengeschmolzen war. Jetzt wird er den\nRest dem Poliznrichier zahlen müssen,\nL, L, Brown, ein Expreßagent, ver\nklagte Linker Bros, aus H2tt<)tt Scha\ndenersatz, weil er sich in deren Geschäst\nvon einem Chiropodisten die Hühner\naugen schneiden ließ, was dieser so\npsuscherhasi gethan haben soll daß\nBlulvergtsiung daraus entstand, Ter\nFall kommt nächste Woche im KreiS\ngericht zur Verhandlung,\nIn dem Falle von Mary Haugen\nvS A, Wingstad konnte die Jury sich\nnicht einigen.\nkohle vom Lüdpol.\nIm Londoner Nalurhistorischen\nMuseum ist nun eine der inlereffante\nste Reliquien der Scottschen Erpcdi\nlion ausgestellt: die Kohlen, die\nEvans und Scott unter dein 85. Grad\nsüdlicher Breite entdeckten, aus dem\nEisplalcciu. bas sich v\'n King-\nEdward Land zum Pole hin erste- \'I.\nTie Kohle wurde inmitten eines klei\nnen Haufen von Fossilien gesunde\nund von den Polar? ihrer durch die\nSchneellürn e mitgeführt, bis ler Tod\nder Reise ein Ende machte. Die\nKohle ist von geringer O \'!ttä!, aber\nsie erzähl! im Lichte der Wissenschaft\neine wunderv.lle Geschichte von den\nragenden Forsten und Wäldern, die\neinst in si e Regionen rauschten, die\nheule unwirtliche Eis- und Schnee\nwüsten allem Leben Feind sind,\nDaß sich Kohlenl - irr im Südpolar\ngebiet bet,den, ist schon längere Zen\nbekamst. Sh kielon trickste von fe\nster Expedition, die ihn bis in d\nNähe des Pol- br-chie, Kohlentun\nmit nach Engl nt. u c sie et er i lls\nMukrum ausgestellt wurden und noch\naufbewahrt werden ,\'lu \' Perileinr\nrangen von Pü\'nzen F -rrenkr u!\nl -- H-: Sb\'t ?: " \' °na° - \'\'\nN\'tten, daß inst in >o öden\na:\' rktischen t--is- a-\' d - "k-p--\nqi\'oen in der Ilr>eii o - "der- !\'\'\nm -\'!> 1-e Brrhöltuistr c-e!rr-*chl h stco\nmu\'"en.\ni Entered in the Poet Offk* in )\n< iACrueae, Wie., et ec)nd cU*s rte*. t\nPlllklUl-AllMlllij.\nIr\'iushiu, die südlichste der japani\nscheu Ilelit, wurde Dienstag\nbetroffen.\nTokio, 14. Jan,\nEine Fuiikendepesche vom japanischen\nKreuzer „Tone" meldete am Dienstag\nAbend nach Tokio, daß der Kreuzer\nund mehrere Tmpedojäger in Kago\nshima eingetroffen sind. Nach der R-el\ndung dauern die Eruptionen des Sa\nkurajima och immer mir großer Ge\nwalt an: glühende Asche fällt aus die\nKriegSschlffe: die Einwohner habe die\nStadt Kagoihima verlasse, doch die\nTruppen verharren aus ihrem Posten,\nAndere Berge aus der Insel Kiushi,\ndie eine lebhafte vulkanische Thaugkeii\nan den Tag lege, sind der Aso, Kur\nshi-oa, Takakkuma und Onsen. Die\ngrößte Bestürzung herrscht aus der qe\nsammien Insel, Die Hauptstadt Miya\nzaki der gleichnamigen Provinz, sowie\ndie Fcsiung Kumaiuoio. 85 Meilen oft\nlich von Nagasaki, sind m großer Gc\n! fahr verschüttet zu werden.\nNach dem amtlichen Bericht sind bei\nder Eruption des Sakurajima 100\nPerftnen umgekommen, doch geben et\nliche Zeiluogt die Zahl der Opfer aus\nBtto an Bon der Heftigkeit des Ans\nbruch de Sakurasima kan man sich\neinen Begriff daraus machen, daß der\nAschenregen am Dienstag sogar in dem\nüber \'.<) Meilen entfernten Nagasaki\nwahrgenommen wurde,\nTokio. 15, Ja,\nDer Mittwoch Abend in Tokio ver\nöffentlichte amtliche Bericht über die\nErbdcben - Katastrophe in Süd-Japan\nenihält die folgenden wesentliche Thal\nfachen:\nDie kleine Insel Sakura ist mil einer\nSchicht Lava und Asche bedeckt, die stel\nlenweise mehrere Fuß hoch ist, linier\ndieser Schicht liegen zahllose Leichname,\nderen Zahl jedoch kaum jemals genau\nfestgestellt werde kann. Bei der Ab\nschätzung der Zahl der Opfer müssen\nzahlreiche Personen eingeschlossen wer\nden. die bei dem Versuch, von Sakura\nnach der Stadt Kagoschima zu schwim\nmen, ertrunken find.\nKagoshima, noch vor wenigen Tagen\neine prvsperirende Stadt mit 60,000\nE\'nwohnern, ist\nSelbst steinerne Gebäude find unter\ndem Gewicht der Asche zusammengebro\nchen.\nDie Eruptionen des Sakura-Jima\nlasten gradeweise nach. Heftige Regen\ngüsse klären die Alinvsphärr und machen\ndamit die ReuungSarbeiten leichter.\nDie ganze Insel Kiushiu, die einen\nFläck eninhall von 3000 Quadiaimettcn\nHai, ist mit vulkanischer Asche beleckt.\nHuiMrstikil witder tlsolqrkich.\nLondon, I,!. Jan.\nSstlvia Pankhurst, die belaiinle\nKanipsjuffrageiie, wurde am Samstag\nwieder einmal nach einem Huiigerstrci!\nans dem Holloway-Gesängiuß in Lon\ndon kittlassen, Fräulein Pankhur\nwar ain 8. Januar aus der Ostseile von\nLondon verhauet worden.\nW-O ~<*> war ein sonderbarer\nAnblick," ichreibi Herr Aug. A John\nson von Lhons. Nebr,. „all\' die Tokior-\nund Apotheker-Medizinen zu sehen, die\nmein Bruder sich angesammelt halte,\nals ich ihn vor zwei Jahren in Wyoming\nbesuchte Er war schon längere Zeit\nkrank gewesen, und nichts schien ihm zu\nhelfen Ich erzählte ihm von dem\nAlvenkränter und daß ich glaube, eS\nwürde ihn gesund machen. Er begann,\nes zu gebrauchen, und warf die anderen\nMedizinen, die sich bei ihm angehäuft\nhauen, fort. Er gebrauchte sechs Fla\nschen der Alpenkräuier und war ein\ngesunder Mann Ich könnte ein Blatt\n„ach dem andere fülle mtt Berichten\niiver Heilungen, die durch Alpenkrouler\nbewirkt wurden,"\nUngleich anderen Medizinen wird\nForni\'s Alpenkräuter nicht in Apotheken\nverkauii, Spezialagenicn liesern es\ndem Publikum direkt, Falls lem\nAgent in Ihrer Nachbarschaft ist. so\nschreiben Sie an. Dr, Peter Fahrneys\nSons Co. 1!i 25 So. Hoyne Ave.\nChicago Jll -Anz.\nPlant eine Reise nach dem\nsonnigen Lüden.\nWarum unter der Kälte leiden, wenn\nsolche Winler-ResoriS wie Florida,\nCuba und die Gols-Küste in Jhiem be\nauemen Bereich liegen? Arrangiren\nSie eine Reise nach dem Süden: wir\nwerden Ihnen Raten quoliren. Routen\nvorschlagen und eine passende Tour\nprepariren Für volle Einzelheiten\nsprecht bei Tickel-Agenien der Chicago\nund Nocihwestern-Bahn vor. Anz,\nFrech.\nGast: .Kellner, wie kämen Sie\neinem Gast so etwas bringen! Ter\nFisch riecht ja!"\nKellner: „Di-s geht mich nichts an.\ndas müßen Sie den, Wirt jagen!"\n> GTI: „So ruken Sie ihn!"\nGast: „Wie können Tie, Herr\nf Wirt, dieken verdorbenen Fisch einem\ni Gail vorsetzen lasst?"\nj Wi:l: ..Ja. was soll ick, denn da\nj mi! machen? Soll ich ihn vielleicht\nj selber esse::?"\nOie „Norvstern" Zeitun\ngen Kaden di, Geschirre\nvon La Lroffe nicht ,n\n\'nitschreiben sondern mir\nmachen Helsen.\nNummer I l.\nFür Zivilistclisl.\nt?räsldet Ivilson -roh! mi! V-r\ntlrung des sFostetats. falls\n„weiter" ftleiftt.\nWashington. D, C,. 15. Jan,\nPräsident Wilson erklärte am Mitt\nwoch in unzweideutiger Weise, daß er\ndie jetzt dem Haus voi liegenden Post\ncialsvortage mir seinem Beio belegen\nwerde, falls nicht der „Neuer" einserar\nwird, welcher Hitssposimeister vom Ir\nvildiknjt auSnimmi, Ter Präsident r\nentschlossen die nach Angabe der Zivit--\ndlenst-Anhänger im E ongreh eiiigeleilelr\nBeiveguiig zum Hatten zu bringen,\nwelche ange lich daraus abzielt, den\nPosldienst von Neuem zu einem Feld\npotillicher Beilkriiwirlhschasl zu inachen.\nDer dein Posteiai angehängte „Rei\nter" würde dem Geiieralpostmetsier das\nRecht geben, die Ernennungen samintli\ncher Hilsspostmeisler rückgängig zu ma\nchen und ihre „Nachfolger nach eigenen\nErmesse, ohne Rücksicht aus die Zivtt\ndleiistordnulig zu beslliiiinen,"\nGeneralpoiinieister Buetewn haue\nkürzlich in einem Schreiben an Rcpcä\nslilianl Mann. de Bolsitzende des\nPosteomiie im HauS. seiner Opposition\ngegen diese Klausel Ausdruck gegeben,\nohne daß jedoch der „Reiter" entfernt\nworden wäre.\nCikrhiindlrr bestraft.\nNew Park lg, Jan,\nDie Eierhandlung von James Barr\nTyk Co. in New Bork wurde am Sams\ntag zu einer Siraie vo KSVO verur\nlheitt, nachdem sie sich schuldig bekannt\nhaue, Kühljpeichereier als frische ver\nkauft zu haben.\nDes?MS Todte.\nFröhlich Im Aller von 78 lah\nreu starb eine Pionier-Bürgerssran. die\nWittwe von Earl Fröhlich, der bis vor\ndreißig Jaorcn Bormann in der „Nord\nstern\'-Setzerei war. Frau Louise Fröh\nlich, in einem hiesigen Spital an der\nWassersucht. Sie war eine allgemein\nbeliebte und sehr wohlthätige Frau und\nhinterlaßt hier keine Verwand. Da\nBegräbniß war am Donnerstag Nach\nmittag vom Trauerhauie. 15 Süd 4.\nTzraße, au nach dem Oak Grove.\nSiebrecht —ln ihrem Heim. >4.\nund Jvhnson-Straße. erlag einem chro\nnischen Nierenleiden Frau Adolph Sir\nbrecht, geb. Emma Techmer, im Alter\nvo 52 Jahren, Um sie trauern der\nGatte, eine Tochter, Fit. Emma, und\ndrei Brüder. Frank, Pnil und Fritz\nTechmer, Die Beerdigung war gestellt\nNachmittag vom Traucrh.iusc und von\nder druisch-lulherischen Kirche aus,\nbaulich Den Folgen eines Schlag\nani.iUkS erlag in ihrem Heim, 1518 La\nCrosse Straße, im Alter von über 7!\nJahren Frau Clara G iuisch, eine lang\njährige Bürgerssrau unserer Stadt.\nSie wurde >n Dobern. Böhmen, Oester\nreich, geboren. Um sie Iranern die sol\ngenden Kinder: William I, Frank\nI, und LouiS L, Gauiich. Frl. Anna\nGauiich, Frau August Anderson und\nFrl, Emma Gautsch, Die Beerdigung\nwar gestern Morgen vom Trauerhause\nund um 9 Uhr von der St, JojepdS-\nKaihedralr aus.\nFrederitk Frau Alberllne Fischer-\nFrevelick starb im Alter vo 7! Jahren\nim Heim ihrer Tochter. Frau Wm. A\nHoward, 531 Nord I I Straße Das\nBegräbniß war am Montag Nachmit\ntag, und Pastor Andreas amtirie.\nDen Folgen einer Operation erlag\nin einem hiesigen Spital Peter\nBregson von Virginia, Minn, 5t\nJahre alt,\nHrn. und Frau Andr, Smics\nzek. 889 AdamS-Slraße, wurde ihr\nkleiner Sohn durch den Tod entrissen\nEr wurde am Dienstag Morgen be\ngraben\nStacheln Ephraim Siaihrm, der\nolle Wachter im Oak Grobe Friedhofe,\nist nicht mehr. Er starb an Hause sei.\nner Tochter, 70! Staie-Straße, an den\nHelgen eines bösen Falles dre Stiege\nhinab, in, Alter von 8! Jahren, Er\nHane sechzig Jahre hier gewohnt, und\nAlle werden ihm ein ehrendes Andenken\nbewahren. Da Begräbniß war ge\nstern\nIm luth, Spital starb Glen\nMalch, 17 Jahre alt und von Gates\nv.lle oben, der wie berichtet aut der\nHasenjagd von seinem Bruder in den\nNucke geschossen worden war. Die\nReiche des Unglücklichen wurde nach\nGaleSwlle gesandt,\nEINS - Tr, O.L Ellis, ein Augen-\nund Ohren- Spezialist, 5" lah e alt,\nstarb in seinem Heim 1125 Badger\nStraße an einer Compilkanon von\nKrankheiten, Er wird in Grand\nNapidS, WIS,, bestattet.\nIm blühenden Aller von Bi Jahren\nstarb im Ellernhause in Eolesbnrg.\nJa,. Edw W. Rokl\'iig, Sohn\nder hier wohlbekannten P nwis-Fami\nlie, an Typhussieber Ter ,ungeMann\nmvar im nördlichen Minnn i : bei einer\njLumbersirma beschäftigt, und über die\n! Festlage zu Besuch bei iein-n Eltern,\nals er plötzlich schwer krank wurde.\n! Ihn überleben die Eltern, sonne vier\ni Schwestern und drei Brüder Frau\n: John P, Salzer. Frau Paul TANARUS, Schulze\nund Frau O W Munster von hier.\nI und Fri, Flvrence Rohltingvon Colcs\nipurq; Wellinglon stkohlsing Seattle\nAasb, Reuden und Mtttoii Roblsing\njvon EoleSburg.', 'publisher': 'C. Halbwachs', 'language': ['English', 'German'], 'alt_title': ['La Crosse nord stern', 'Nordstern'], 'lccn': 'sn86086186', 'country': 'Wisconsin', 'batch': 'whi_clabbert_ver01', 'title_normal': 'nord stern.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn86086186/1914-01-16/ed-1/seq-1.json', 'place': ['Wisconsin--La Crosse--La Crosse'], 'page': ''}, {'sequence': 1, 'county': ['Vilas'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85040613/1914-01-21/ed-1/seq-1/', 'subject': ['Eagle River (Wis.)--Newspapers.', 'Wisconsin--Eagle River.--fast--(OCoLC)fst01234139'], 'city': ['Eagle River'], 'date': '19140121', 'title': 'Vilas County news. [volume]', 'end_year': 1927, 'note': ['Available on microfilm from The State Historical Society of Wisconsin.', 'Editors: C.F. Colman, Aug. 1896-Nov. 1897.--D.E. Riordan, Nov. 1897-May 1901.--O.E. Bowen, May 1901-Jan. 1905.--F.A. Murphy, Jan. 1905-Jan. 1906.--G.E. Fuller, Feb. 1906-<May 1907>.--E.A. Stewart, Nov. 1925-Oct. 1927.--C.F. Fredrichs, Oct.-June 1927.', 'Publisher varies.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Eagle River, Vilas County, Wis.', 'start_year': 1896, 'edition_label': '', 'publisher': 'News Printing', 'language': ['English'], 'alt_title': [], 'lccn': 'sn85040613', 'country': 'Wisconsin', 'ocr_eng': 'Twenty -first year.\nw IH JAPAN’S\nlUMO HORROR\nand Lava Cover Isle and\nIts Bodies.\nWHOLE CITIES ARE BURIED\nHundreds Leap Into Ocean and Are\nBrowned While Trying to Escape\nFrom Fiery Rock—Tornadoes\nAlarm Tokio.\niokio. Jan. 16. —Official reporta of\n-in# volcano-earthquake disaster in\njouthern Japan brought out the follow\ning features:\nThe small island of Sakura is cov\nered with lava and ashes, in places\njeieral feet deep. Beneath this man\ntle lie the bodies of many persons\nwhose number probably will never be\nknown. Estimates of the dead must\ninclude a large number of refugees,\nwho were drowned while trying to\nswim from Sakura to the City of Kago\nihima Kagoshima, a town of 60,000,\nis in ruins Stone buildings collapsed\nunder the hot ash. Simultaneous with\nthe eruption of the volcano of Sakura-\nJima there occurred an eruption of\nYarigataka, which threw a cloud of\nashes over Matsumoto.\nThe eruption of Sakura-Jima is grad\nually subsiding A heavy rainfall is\nclearing the atmosphere and thus as\nlisting the work of relief. The entire\nWand of Klushin, 3,000 square miler,\na covered with voncanic ash in vary\ning depths.\nScientists declare the worst is over,\nadding that the eruption of the vol\ncanoes served as a vent for acute sub\nterranean activity and probably saved\nthe country from more disastrous\nearthquakes. At Kumamoto, north of\nKagoshima, are more than 1,000 refu\ngees. The whole tragedy has not yet\nbwn told.\nThe city of Tokio and surrounding\nterritory, although 500 miles from the\nroictuiic disturbances, were swept in\nthe last 24 hours by miniature torna\ndoea. filling the city with clouds of\ndust and sand and creating the belief\nthat the capital was feeling the effects\nof the distant eruptions. A feeling of\nrelief prevailed at night when the\nwind died down.\nSakura. where the greatest loss of\nlife undoubtedly occurred, cannot be\nvisited, because the eruptions of Sa\nkura-Jima continues. Troops and war\n•hlps in that region and a search\nof the island will be made at the first\nopportunity.\nKagoshima, the nearest big city to\nSakura, while it suffered great dam\nage from the earthquakes, does not\nappear to have experienced severe\nof life.\nAll Americans who were in the\nstricken region are safe. Word to this\nsleet was received from Carl F. Relch\n»an, American consul at Nagasaki,\nwveral American missionaries were\nstationed at Kagoshima.\nMayazaki, Japan. Jan. 16. —Refugees\nfrom the stricken island of Sakura,\nCttlf of Kagoshima, arrived here. They\n*ported that the inhabitants of 300\nbouses, composing the Village of Seto\nthat island, lost the way in trying\n!o reach the seashore and probably all\nperished together. Hundreds were\ndrowned in trying to swim across the\n\'\'Ulf of Kagoshima. The refugees add\n’d that the volcano of Sakura-Jima\ncompletely changed its form, several\nnew craters having opened.\n\'t ashiugton, Jan. 16-. —President Wil\n,ou cabled the emperor of Japan the\nsorrow and sympathy of the American\nPeople over the volcano disaster. Em\nperor Yoshihito cabled Japan\'s “sin\ncurest thanks’’ in return.\nlake pollution perils.\nOfficial Says No City Gets Absolutely\nPure Water.\nWashington, Jan. 16.—Pollution of\nwaters of the great lakes and the\n■vers and streams on the Canadian\nboundary, along which live more than\nJ "-\'O.ooo people, was revealed in a\n“port to the international joint com\nmission by Dr. Allan J. McLaughlin\n0 the public health service. The re\n*/• showed extensive pollution in\n‘ e waters adjacent to nfany of the\n& rge citi s and declared that owing\n■■ present position ■of intakes\n-ere -, s not a S j U gi e c j ty on sh e lakes\nt ic h can be said to possess water\n■ a s safe without treatment. The\nDoctor McLaughlin said,\ne oulq be sought by the best sanitari\n<!ls in the world.\nRioting feared at bank.\nn «itution in Switzerland Fails for\n$1,400,000.\nl *’carno, Switzerland. Jan. 14.—The\n‘Cdko Ticinese has failed with liabiii\nestimated at $1,400,000. The bank\n. mor e depositors than that of any\n‘ er canton, and the authorities have\nied to the government for reln\n# * ernents of police, as disorders are\nThe Vilas County News\nI J\ni I * jRSg ***** >\nA vH /\n&XJ I t\nBiTmi i nhf r.BV.w.V Jh >■\nProf. Hiram Bingham of Yale, di\nrector of an exploring expedition un\nder the auspices of the National Geo\ngraphic society and Yale university, in\na report just made public tells of the\ndiscovery by his party of the ruins of\nthe walled city of Machu Picchu in the\nPeruvian Andes. The city, he says, is\nperched upon a mountain top in a\nmost inaccessible corner of the Uru\nbama river country and is flanked on\nall sides by precipitous slopes- The\nparty was led to the place by an In\ndian. The ruins are said to be the\nmost important yet discovered in\nSouth America.\nPASSENGERS ARE TAKEN\nOFF STRANDED LINER\nNearly 100 Persons Carried to Safety\nFrom Steamer Cobequid Despite\nCold and High Seas.\nYarmouth, N. S., Jan. 16. —Snatched\nfrom what seemed almost certain\ndeath 96 passengers and crew of the\nroyal mall packet Cobequid are snug\nin Yarmouth harbor. Eleven of the\ncrew and • captain remained on the\nship.\nAll, however, suffered greatly from\nthe intense cold. Most of them were\nfrostbitten and every one showed the\neffects of exposure to zero weather.\nWhen the rescue ships reached docks\nhere many of their passengers had to\nbe carried to the hotel. For 36 hours\nafter the vessel struck seas broke\nover it continuously and it was coated\nwith ice.\nBenumbed with cold and dazed by\ntheir long ordeal, few of the rescued\ncould give an intelligent account of\ntheir experiences.\nOne of the officers of the Cobequid\nsaid:\n“The ship struck at six o’clock\nTuesday morning while we were try\ning to locate the lightship off the\nLurcher shoal. Tn the blinding snow\nstorm which prevailed we overshot\nthe mark and brought up on the south\neast end of Trinity ledge.”\n“Immediately after the ship struck\nwe had sent out an ‘S. O. S., which\nwas picked up by the Cape Sable wire\nless station. Later, with the engine\nroom flooded, our operators had to de\npend entirely on the auxiliary storage\nbatteries. Then the gale carried away\nthe deck connections of the aerials.\nA temporary connection, which proved\nunreliable, was fixed up, but an hour\nlater this, too. was wrecked.\n“Early in day the Canadian North\nern liner Royal St. George, outward\nbound from St. John, picked up our\nfeeble cry and the rescue followed."\nFARMER BESIEGED BY POSSE.\nEdward Beardsley. Wife and Nine Chil\ndren Barricaded in House.\nMayville, N. Y., Jan. 16.—Edward\nBeardsley, the Summerdale farmer\nwho shot and wounded John G. W.\nPutnam, overseer of the poor of Chau\ntauqua county, is still barricaded with\nhis wife and nine children in the little\nfarmhouse a mile outside the village\nwhere the shooting occurred and a\nposse of 20 armed men is on guard.\nIn the sheriff’s force are half a dozen\ncrack shots who are under instructions\nto fire at Beardsley whenever he\nshows himself. Fear of wounding Mrs.\nBeardsley or the children was the rea\nson for confining the shooting to the\nsharpshooters.\nWILLIAMS NAMED TO SENATE.\nPresident Nominates Him Comptroller\no* the Currency.\nWashington, Jan. 15. —President\nWilson sent the name of John Skel\nton Williams, assistant secretary to\nthe treasury, to the senate as comp\ntroller of the currency.\nThe nomination was determined\nupon at a conference between Presi\ndent Wilson and Secretary of the\nTreasury McAdoo. It is expected that\na fight will be made upon the nomina\ntion in the senate as Mr. Williams\nhas many opponents among the south\nern senators.\nPROF. HIRAM BINGHAM\nEAGLE RIVER, VILAS CO.. WISCONSIN, WEDNESDAY, JANUARY 21, 1914.\nCAVALRY CHARGES\nCOLORADO MINERS\nRiot Follows Deporting of\n‘•Mother” Jones.\nAGED WOMAN CHEERS MOB\nStrikers Hurl Missiles When Troopers\nEscort Aged Woman to Trinidad\nJail—U. S. Strike Probe Asked\nby Ashurst.\nTrinidad, Colo., Jan. 14. Two\ntroops of cavalry with drawn sabers\ncharged 1,000 striking miners here on\nMonday and several men were serious\nly injured in the battle that followed.\nThe mounted troopers were escorting\nan automobile in which “Mother” Mary\nJones, the strike agitator, was being\nrushed to jail.\nAs the mob barred the way of the\ntroopers, the aged woman, who has\nbeen active in the field wherever trou\nble brewed in every strike for years,\nstood up in the machine and shouted\nencouragement to “her boys.”\nStonps and clubs were hurled by the\nstrikers and several of the militia\ntroopers were bowled from the saddle.\nNone was seriously hurt. The melee\nlasted for fully a quarter of an hour\nbefore the mob was dispersed.\n“Mother” Jones was deported from\nthe southern Colorado coal fields Janu\nary 4by the militia. She returned to\nTrinidad from Denver.\n“Mother” Jones left the train at the\noutskirts of Trinidad and later ap\npeared at a local hotel. She was ar\nrested by a detail of state troops, hur\nried out of the hotel, placed in an\nautomobile and whirled through the\nstreets with the cavalry escort gal\nloping at full speed in front and bfr\nhind the machine.\nA block from the jail the strikers\ngathered in full force and the fight\nbegan.\nPreparations were made for the trial\nby court-martial of Robert Obley, a\nprivate in Company F, Second regi\nment, Colorado National Guard, on a\ncharge of killing John German, a\nminer employed by the Colorado Fuel\n& Iron company.\nDenver, Colo., Jan. 14. —Governor\nAmmons Issued a statement in which\nhe assumed full responsibility for the\narrest, of “Mother” Mary Jones by\nmilitary authorities in Trinidad, and\ndeclared she would be held incom\nmunicado in the hospital at Trinidad\nuntil such time as she saw fit to give\nher promise to leave the strike zone\nof the state.\nIndianapolis, Ind., Jan. 14. —John P.\nWhite, president of the United Mine\nWorkers of America, said he had tele\ngraphed protests against the arrest\nof “Mother” Jones to President Wil\nson, Secretary of Labor Wilson and\nGovernor Ammons of Colorado.\nWashington, Jan. 14.—A federal in\nquiry by the senate committee on\neducation and labor into the Calumet\nstrike is proposed in a resolution in\ntroduced by Senator Ashurst of Ari\nzona. The resolution stirred up a\nspirited debate, but no action was\ntaken and the resolution went over.\nSenator Townsend of Michigan op\nposed the resolution on the ground\nthat it would be an impeachment of\nGovernor Ferris of Michigan and the\nstate courts and also would interfere\nwith the present investigation by the\nHoughton county grand jury. Senator\nAshurst denied that be asked for the\nInvestigation for political reasons “If\nit is political expediency,” he declared,\n“to ascertain the truth I am guilty.”\nHe added that he had received about\n4,000 telegrams urging the inquiry.\nHoughton, Mich., Jan. 14.—-Fourteen\nfresh eviction suits, coupled with a\nblizzard and the first break in the\nunion ranks at Ahmeek, which the\nstate troops left, caused Western\nFederation of Miners leaders to shake\ntheir heads dubiously.\nSUBDUE BIG MONTREAL FIRE.\nFiremen Handicapped by Zero Weath\ner, But Save Business Section.\nMontreal. Jan. 15. —Fire which seri\nously threatened the business center\nof Montreal was subdued only after\na stubborn fight. The loss is estimat\ned at $500,000. For a time the historic\nNotre Dame cathedral was threat\nened. Battling in a temperature 25\ndegrees below zero, firemen were not\nonly hampered by the bitter cold but\nby the fact that half a dozen other\nfires broke out almost simultaneously.\nMORGAN’S LEAD FOLLOWED.\nHead of Railroad Quits Bank Post in\nKentucky.\nLouisville. Ky., Jan. 16.—The wide\nspread agitation against Interlocking\ndirectorates induced Milton H. Smith,\npresident of the Louisville & Nashville\nrailway, to resign as a director of the\nNational Bank of Commerce here. This\nreason was given by Mr. Smith at the\nbank\'s annual election, when he an\nnounced he would not serve for an\nother year.\nMRS. HENRY C. STUART\n. ..\n•• ••• ’\nI ■ 1\ni <... -VSsJ\ni - j\'\nT S t/- . >•*\nxlx £ \'\nI\n......y jCf\nMrs. Henry C. Stuart will become\nthe first lady es Virginia on February\n2, when her husband will be inaugu\nrated governor of that state. Before\nher marriage Mrs. Stuart was Miss\nMargaret Carter of the famous Vir\nginia family of Carters.\nOWNERS USED FUNDS\nOF THE SIEGEL BANKS\nBorrowing of $754,000 on Pledge of\nCommon Stock of Store Called\nUnfortunate.\nNew York, Jan. 14. —Henry Melville,\nwho is receiver for the Henry Siegel &\nCo. bank, told the committee on banks\nof the state senate Monday that\n“whenever any of the proprietors felt\nthe need of any loose change to the\namount of a few thousand dollars he\nwent to tbe bank and took what he\nwanted without giving any note or se\ncurity of any kind.”\nSiegel himself, the receiver said,\nborrowed $754,191 without security\nexcept a written agreement pledging\n34,000 shares of the common stock\nof the Siegel Stores corporation\nagainst these loans.\nThe hearing was held up by the\nsenate committee to get testimony for\nuse in revising the state banking\nlaws in relation to the privileges of\nprivate banks. The whole day’s ses\nsion was spent investigating the af\nfairs of tho bankrupt Siegel enter\nprises. Melville said the transactions\nhe described were legal under the\npresent laws, but admitted conditions\nwere “unfortunate.”\nThe Siegel bank, according to the\nreceiver’s testimony, had deposits of\n$2,550,333. distributed among 15,000\ncustomers of the Fourteenth street\nstore in this city. Melville said that\nthis money was loaned also to the two\nSiegel stores in New York and the\none in Boston. The actual assets of\nthe bank, he said, were $14,000 In\ncash, $25,000 in banka and a cash\nbond of SIOO,OOO.\nRAIL SUITS ARE BLOCKED.\nU. S. Jurist Enjoins State o.’ Missouri\nFrom Pushing Suits.\nKansas City, Mo., Jan. 13.—-Judge\nSmith McPherson”in the federal court\nenjoined John T. Barker, attorney gen\neral of Missouri, from proceeding in\nstate courts with suits for $24,000,000\novercharges against Missouri rail\nroads, and took the Missouri railroad\nrate case under further advisement\nfor three weeks.\nJudge McPherson\'s action followed\nan exciting day in court, during which\nAttorney General Barker demanded\nthe judge dismiss the injunctions with\nout further delay. Attorney General\nBarker made a vitriolic attack upon\nJudge McPherson, shouting in the\nmidst of it:\n“You cannot continue to police this\nstate for the railroads.”\nMORE ON COLD DEATH LIST.\nThirteen in All Succumb to Weather\nin and About New York.\nNew York, Jan. 16. —Relief from the\nmost severe cold spell that this city\nhas experienced in 15 years is in sight.\nRising temperatures abated somewhat\nthe suffering in the streets, but during\nthe day the weather was so cold that\nsix persons succumbed to exposure,\nbringing the death list for the city and\nvicinity up to 13 since the frigid wav\narrived\nIPLAN TO DEVELOP\nIMPROVEDHORSES\n. SCHEME FOR STATEWIDE MOVE\nMENT FOR BETTER LIVESTOCK\nWILL BE STARTED.\nBREEDERS TO MEET FEB. 6\nAnnual Session of State Association\nWill Be Marked by Addresses\nBy Many Noted\nMen.\nMadison. —Presentation of a plan\n.or statewide improvement of live\nstock will be one of the most impor\ntant features of the annual meeting\nof the Wisconsin Livestock Breeders’\nassociation here Feb. 5 and 6. G. C.\nHumphrey, chief of the animal hus\nbandry department, Wisconsin col\nlege of agriculture, has worked out ,\na plan which, it is believed, will be\nespecially effective in encouraging\nlive stock production in the newer\nsections and will announce it at this\nconvention.\nCattle, sheep, horse and swine\nbreeding interests will be represented\nin sectional meetings. A. J. Lovejoy,\nI former president International Live\nstock exposition and one of the most\nnoted swine breeders in the middle\nwest, is to explain how he has made\nswine production profitable.\nAbram Renick, general manager,\nAmerican Short Horn Breeders’ as\nsociation and old time breeder of\nshort horns in Kentucky, is to tell\nWisconsin why they should raise\nmore beef.\nA. W. Fox, prominent Waukesha\ni county Guernsey breeder and dairy\nman, and Mr. Webster will discuss\ncleaner market milk and a higher\nprice for producer.\nJ. G. Fuller, in charge of horses\nat Wisconsin college of agriculture\nand secretary of the Wisconsin Horse\nBreeders’ association, will speak of\nhorse breeding in Wisconsin.\nState associations holding meet\nings at this time are: Western\nGuernsey Breeders, Wisconsin Hol\nstein, Jersey, Ayrshire, Short Horn,\nAberdeen Angus and Red Polled\nBreeders; Wisconsin Horse Breed\ners, Wisconsin Sheep Breeders, Wis\nconsin Poland China, Bershire, Du\nroc Jersey and Chester White Breed\n| ers.\nMETHODS AROUSE HOSTILITY\n! Employment of Woman Detective by\nVice Commission Meets with\nProtest.\nRhinelander. Testimony before\nthe vice commission tended to show\nthat a hotel keeper had laid himself\nliable to prosecution. A woman de\ntective and a man, said to have been\nemployed by the commission, tried to\nput the ban on one of the hotels. It\nis understood that the affected pro\nprietor will fight the charge in the\ncourts claiming he knew nothing of\nthe incident on which the charge was\nbased. Senator W. T. Stevens and\nbusiness men here are not in sym- .<\npathy with the system of research\nused by the commission, saying that\nthe work of the female detective on\nthe streets was not in accordance\nwith a clean investigation.\nRAILROADS MUST PAY MORE\nTaxes on Roads Are $860,161 Over\nLast Year’s Schedule—As\nsessment Increased.\nMadison.—Railroad corporations\nhaving properties in Wisconsin are\ncalled upon to pay $860,161.25 more\ntaxes for 1914 than for 1913, accord\ning to final assessment made by the\nstate tax commission. The final val\nuation fixed by the commission for\nthe present assessment is $340,242,-\n000, which is an increase over the\nvaluationjif 1912 of $13,989,000 and\nthe resulting tax is $4,720,529.30, as\ncompared with $3,860,368.07 in 1913,\nConvict Uses Want Ad.\nMadison. —A prisoner at Waupun,\nwho asked that his name be with-\n■ held, is trying the classified column in\n• an effort to get himself a place when\n; he leaves the prison. He declares\n• that his parole from a sentence im\nposed for obtaining money under false\n; pretenses depends upon his ability to\nget a job before he leaves the prison.\nFire Loss Is $20,000.\nMadison. —Fire in the Wisconsin\n1 building at State, Mifflin and Carroll\nI streets, caused a loss of about $20,-\n! 000.\nBrooding Causes Death.\n’ La Crosse.—Brooding over the death\nI of his wife caused the death of Geo.\nIStadick, oldest tailor in La Crosse,\nwho came here in 1857\nNUMBER 29\nBADGER NEWS\nBRIEFLY TOLD\nRacine. Mrs. George Picket of\nBurlington. probably the oldest\nwoman in Racine county, has just cel\nebrated her ninety-fifth birthday.\nEau Claire. —St.- John\'s German Lu\ntheran congregation will erect a $lO,-\n000 parochial school building and as\nsembly hall.\nFond du Lac. Bishop William\nQuayle of the Methodist church\nwill come to this city for the dedica\ntion of the new Division street church\non June 7.\nNew London. William Wedelle\nof the town of Seymour is the\nfirst man to whom an eugenic mar\nriage license has been granted la\nOutagamie county.\nRacine. —Hans Lobben, an expert\nmachinist, demented, jumped from\nthe roof of a two-story building\nin an effort to commit suicide, but es\ncaped without Injury and wasn\'t even\nstunned.\nMerrill. —Rev. John P. Owen hae\narrived in this city to begin hi»\nnew duties at St. Francis Xavfer\nchurch, to succeed Rev. Henry Le\nGouillou, who has gone to Stanford.\nBarron county.\nKenosha. —Pietro Pascucci, forty\neight years of age, died at the\nKenosha hospital as a result of in\njuries received when struck by a tim\nber in the plant of the Simmons Man\nufacturing company.\nMadison.—State Treasurer Henry\nJohnson and Secretary of State\nDonald returned from Superior, where\nthey had been to superintend the sale\nof some 1,800 acres of land belonging\nto the forest reserve". There were but\nfew bidders. Sales only yielded $424.\nMadison.—Twenty-four children nar\nrowly escaped drowning when a\nheavy wind carried the ice on which\nthey were skating out into the middle\nof Monona lake. The waves broke the\ncake of ice in midlake, leaving 20 chil\ndren on one part and four on the other\nThe children\'s cries were finally heard\nby residents on the lake shore, who\nput out in rowboats and rescued them.\nMadison. —Simple services were\nheld at the funeral of John G.\nSpooner, wbo fired a bullet into his\nhead after he had shot and killed Miss\nEmily McConnell, a school teacher.\nRev. George E. Hunt of Christ Presby\nterian church offered a short prayer\nand read a scripture lesson and then\nthe remains were taken to Forest Hill,\nfollowed only by the immediate rela\ntives and a few Intimate friends. Bur\nial was in the Spooner family lot.\nLa Crosse.—William Brown, foun\ndryman employed by a contractor\nat the Heileman brewery plant, has a\nneck that stood a severe test. John\nZahn, a fellow worker, slipped off a\nscaffolding and fell 30 feet, landing\nwith his heels on Brown\'s neck. Zahn\nbroke one leg from the force when he\nstruck Brown\'s neck, and also lias a\nsprained back and other injuries\nBrown was unhurt and after picking up\nZahn and turning him over to the doc\ntors went on with his work.\nKenosha. —John Vtxior, a Russian,\narrested on a charge of passing\ncounterfeit coin, is said to have\nmade a confession to federal officials\nand the Kenosha police, after Chief of\nPolice O’Hare had found at his home a\ncounterfeiting kit. The police say he\nclaimed that he had made only a small\nnumber of coins. He came here from\nChicago and it is thought he may be\none of the leaders of the gang which\nhas been putting counterfeit silver\ndollars in circulation in nor\'h shore\ntowns.\nWausau. —Ralph Clark and Ralph\nSchultz, both nineteen years old\nand residents of Gilmantown, Buffalo\ncounty, were arrested here by Sheriff\nHerman J. Abrahams, charged with\nthe murder of Ole Johnson Skjorum,\nan aged recluse, on December 28. The\nboys were arrested at the home of rel\natives in this cijry and taken to the\npolice station, where they were ques\ntioned by Chief of Police Thomas Ma\nlone of Wausau, District Attorney 3.\nG. Gilman and Sheriff C. M. Claflin of\nBuffalo county, who later claimed the\nboys had confessed to the attack, at\ntempted robbery and murder of Skjor\num.\nChippewa Falls.—Dora, six years\nold, and Sophia, one year old,\nwere cremated in the farm house of\ntheir parents, Mr. and Mrs. Bench,\nwhich burned during a blizzard which\nraged through this sectiofl. The fire\nwas caused when Frank, Jr., six years\nold, twin brother of the burned sister,\nwent into the kitchen and took tbe\nkerosene lamp off a shelf and dropped\nIt. The lamp exploded, starting a\nblaze that filled the room. The moth\ner was in the basement and smelled\nthe smoke. She came upstairs just in\ntime to drag the boy out of the room\nand saved him. The two little girls\nwere sleeping in a bedroom. The\nfather was summoned from the barn\nand entered the room, but the flames\nforced him to jump through a window\nto save himself. He was badly burned\nand cut by glass. The cottage was\nquickly reduced to ashes and nothing\nI as saved.', 'batch': 'whi_clearwater_ver01', 'title_normal': 'vilas county news.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85040613/1914-01-21/ed-1/seq-1.json', 'place': ['Wisconsin--Vilas--Eagle River'], 'page': ''}, {'sequence': 1, 'county': ['Grant'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85033133/1914-01-21/ed-1/seq-1/', 'subject': ['Lancaster (Wis.)--Newspapers.', 'Wisconsin--Lancaster.--fast--(OCoLC)fst01307511'], 'city': ['Lancaster'], 'date': '19140121', 'title': 'Grant County herald. [volume]', 'end_year': 1968, 'note': ['Description based on: Vol. 2, no. 16 (Sept. 20, 1850) = Whole no. 69.', 'Editor: John Cover <1873-1876>.', 'Publisher varies.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Lancaster, Wis.', 'start_year': 1850, 'edition_label': '', 'publisher': 'J.L. Marsh', 'language': ['English'], 'alt_title': ['Herald'], 'lccn': 'sn85033133', 'country': 'Wisconsin', 'ocr_eng': "ESTABLISHED 1843.\nA BIG CLASS WILL GO\nFMJMUOM\nTo Attend Boys’ Short Course\nat Agricultural College\nCounty Superintendent Brockert ex\npects to Accompany Forty Bright\nYoung Fellows Next Monday.\nCounty Supt. J. C. Brockert is feel\ning pretty good over the result of his\nproposal to the boys of Grant County\nto accompany as many of them as\nwant to go to Madison, next Monday,\nto attend the special short course for\nbovs at the State College of Agri\nculture, and already has a list of\nabout thirty who have fully decided\nupon going. Others have signified\ntheir intention to go if they can, and\nthere are still a number of days to\nelapse during which additional en\ntries can be made, so that in all pro\nbability there will be forty or more in\nattendance from the various parts of\nthe county.\nThose who have so far enrolled as\ncertain are:\nClark Hampton, Lancaster, Scholar\nship.\nRoy Eck, Stitzer.\nBernard Rech, Cassville.\nWill Jerrett, Lancaster.\nRingland Richter, Potosi.\nClyde Govier, Lancaster.\nArchie Morrow, Lancaster.\nL. G. Borah, Mt. Ida.\nVirgil Borah, Mt. Ida.\nArthur Wagner, Stitzer.\nRudolph Hoehn, Lancaster.\nEarl Vespsrman, Lancaster.\nClifford Baker, Lancaster.\nWill ie Wieland, Lancaster.\nLeslie Pritchett, Lancaster.\nReuben Clifton, Lancaster.\nWillie Koeller, Lancaster.\nEarl Henry, Bloomington.\nRay Peterson, Potosi\nSam Welsh, Lancaster.\nJames Byrnes, Platteville.\nLorenzo Riley, Lancaster.\nJoseph Pendleton, Bloomington.\nWillie Hoffman, Sinsinawa.\nArchie Harris, Bagley.\nHarley Newman, Bagley.\nLouis Blum, Glen Haven.\nLloyd Barr, Glen Haven.\nJohn Barr, Glen Haven.\nAn interesting program has been\narranged for the live days beginning\nMonday, Jan. 26 upon corn growing\nand testing, corn judging, a study of\nweeds, study of seeds, grasses, alfalfa\nand clovers, lesson on oats etc., with\nmuch laboratory work and visits to\nthe various buildings and departments\nof the college and state capitoL\nClark Hampton, of Lancaster, who\nparticipated in the Grant county corn\ngrowing contest this year, has been\nawarded a scholarship in the young\npeople’s course at Madison.\nInstallation of Officers of Eva Camp.\nEva Camp, No. 1504, R. N. of\nAmerica, held their regular meeting,\nFriday night, January 16th, which\nalso included the installation of the\nofficers who are to serve during 1914\nPromptly at 6 o’clock there were\nfifty-five seated at the tables to par\ntake of one of the loveliest and best\ncovered dish suppers that these ladies\ncan supply. There were numerous\ncakes and salads and every other kind\nof delicacies to go with these and that\ncoffee was delicious.\nAt 7:45 the Oracle, Addie Austin,\ncalled the camp to order as it was a\nclosed affair, the first one held in\nmany years.\nWhen the business session was over\nthe double doors were opened for those\nto enter who were to help with the\nentertainment after the installation.\nThose who took their several obliga\ntions were Addie Austin, Oracle;\nEdith Mankel, Vice Oracle; Amelia\nDickinson Chap. ; Alice Calloway,\nReceiver ; Mercie Roberts, Recorder;\nLaura Calvert. Marshal; Anna\nTaylor, Asst. Marshal; Jessie Gilder,\nInner Sentinel; Maggie Mayne, Outer\nSentinel ; Georgia Schmidt, Alma\nHyde, Mina Kilby, Alice Walker,\nMrs Bryhan as the Graces; Ethel\nGilder. Pianist and Elva Burrows,\nCaptain; Mary Williams acted as in\nstalling officers and Josephine Hagen\nas Ceremonial Marshal. The presid\ning officer complimented the good turn\nout of the members in her usual smil\ning manner and made all before her\nfeel a very cordial welcome. Her\npersonal efforts are ever exemplified\nby the watchfulness of her duties\ntoward the members and their families.\nThe entertainers were: Flossie\nHendricks. Emily Roberts, Mrs.\nGraves, Miss Fannie Schmidt, Master\nRex Schmidt and Alma Henkel.\nA Member.\nHerlad Job Printing Pleases\nGRANT COUNTY HERALD\nThe Law as to Fire Escapes.\nThe terrible catastrophe at Calumet,\nMich., in which about 80 children\nlost their lives because of inadequate\nmeans of egress when a false alarm\nof fire was given, reminds us that\npeople in Wisconsin may not be\nfamilar with the new state law\nrelative to fire escapes.\nW° are publishing herewith ex\ntracts from that law pretaining to\ntwo and three story buildings, which\nare as follows:\nTWO STORY BUILDING.\nSection 1636—4. 1. Every per\nson or corporation, owning, occupy\ning or controlling any building now\nor hereafter used in whole or in part,\nas a public building, public or\nprivate institution, public ball, place\nof assemblage or place of public resort\nor opera house two stories in height\nin which one hundred and fifty people\nor more are permitted assemble, shall\nbe provided with two good substantial\nstairways one of which shall he locat\ned on the outside of such building and\nbe at least four feet in width, leading\nfrom a level with the second story\nfloor to the ground, providing, that\nsuch building is not fire proof. If\nany such building is fire-proof, it\nshall be provided with such means of\negress as shall be approved by the\ncommissioner of labor or factory in\nspector. Succeeded by Industrial\nCommission.\nTHREE-STORY BUILDING.\nThere shall be provided and kept\nconnected with every hotel, inn,\nschoolhouse or church, and every\noffice building, fiat building, apart\nment building, tenement house and\nlodging house, three or more stories\nhigh, and every factory, workshop or\nother structure, three more stories\nhigh, in which ten or more persons\nmay be employed above the ground\nHoor, at any kind of labor, one or\nmore good and substantial metallic\nor fire-proof stairs or stairway, ready\nfor use at all times, reaching from the\ncornice to the top of the first story\nand attached to the outside thereof\nin such reasonable position and num\nber as to afford reasonably safe and\nconvenient means of egrees and escape\nin case of fire.\nMrs. John Jackering’s Auction.\nThe undersigned, residing 10 miles\nsouthwest of Lancaster and four\nmiles west of Hurricane, will offer\nfor sale at auction, commencing at 10\no’clock a. m , on\nTHURSDAY, FEBRUARY 5. 1914,\nThe following described property:\n14 Head Cattle—Seven gcod milch\ncows, all coming fresh in the spring;\nseven calves comine' one year old.\n7 Head Horses —One bay mare 9\nyears old, weight about 1300: one\nblack mare 5 years old, weight about\n1150; one black gelding, 6 years old,\nweight about 1400; one bay mare\ncoming 4 years old. weight about\n’1200; one old mare, good and sound;\ntwo suckling colts.\n38 Head Hogs—One stock hog; 17\ngood brood sows;2o spring sboats.\nAbout 100 chickens; seven geese.\nFarm Machinery Etc.—One Deering\nmower one Canton corn planter, 2\nDeering walking corn plows, one\nDew; 2 walking stubble plows, one\n15-foot harrow, 1 wood rack, two\nfarm wagons, one bob sled, one double\nbuggy, nearly new ; one single buggy ;\ntwo sets double harness, one nearly\nnew; one single harness; one DeLaval\ncream separator 750 lbs. capacity;\none feed cooker, one steel range near\nly new, and many other articles.\nHay and Grain—soo bushels corn,\nmore or less; 15 tons hay more or\nless, in barn; a quantity of shredded\nfodder.\nLunch at noon\nTerms—All sums of $lO and under,\ncash, on all sums over that amount a\ncredit of one year will be given on\napproved bankable notes bearing 7\nper cent interest.\nMRS. JOHN JACKERING.\nJ. C. Vesperman, Auctioneer.\nGeo. A. Moore, Clerk.\nR. O. Kinney, residing one mile\nwest of the city of Lancaster, on the\nBeetown road, will have an auction\nsale on Wednesday, Feb. 11. Further\nparticulars in this department next\nweek.\nJames Belscamper, residing 2)£\nmiles south of Hurricane, will bave\nan auction sale at his farm on Friday,\nFeb. 20. Particulars in this depart\nment later.\nPLAN A VISIT TO THE SUNNY\nSOUTH\nWhy suffer the cold, with such\nwinter resorts as Florida, Cuba and\nthe Gulf Coast within your easy\nreach? Arrange to go south; we\nwill quote you rates, suggest routes\nand prepare suitable itineraries for\nyou. For full particulars apply to\nticket agents Chicago and North\nwestern Ry. 46w2c.\nPUBLISHED AT LANCASTER, WISCONSIN, WEDNESDAY, JANUARY 21,1914\nWESTERN PRODUCTION\nWAS WELL RECEIVED\n“Where the Trail Divides” Pleases Audi\nence at Antigo Opera House.\nC. S. Primrose again displayed his\nskill as a producer in presenting to\nAntio theatre goers one of the greatest\nWestern bills which has ever been\nseen here, ‘ Where The Trail Divides”\nIt was a pleasure to see this play\nwhich fairly breathed the air of the\nwest.\nIt is the story of the love of a white\ngirl for an Indian which is put into\na story where we are kept in an up\nroar of laughter by Pop Manning s\ncomedy and weeping at the end of the\ntrail where the Indian leaves bis\nwhite wife to the white man.\nThe production in itself was a\npleasure to look upon and every mem\nber of the company played his or her\npart in a manner that showed a\nsincerity that is seldom seen. Mr.\nHelms as How Landor the Indian gave\na portrayal of the character which\nshowed careful study of the part.\nMiss Gilmore as Bess Landor was\npleasing as well as all the rest of the\ncompany.\nThis excellent production is to be\nplayed at Hatch’s opera house, Fri\nday night, Jan. 30.\nSCHOOL? NEWS\n. ATTENDANCE AND TARDINESS.\nAs has been reported in this column\nbefore, the record of attendance and\ntardiness iu Lancaster is probably\nvery much better than in most places\nin the state. And yet in Lancaster\nihere are a large number of cases that\nare not entirely necessary. In the\ncase of tardiness, especially in the\ngiades, great care ought to be taken\nby parents to get children started in\ntune and to urge upon them the\nnecessity of being on time. Lately\nat the North school the tardines-i has\nbeen quite general, many being from\nfive to tbiity minutes late, and all\nwithout good reason. The pupils who\nare tardy most often are those who\ncould have reached the school on time\nif they had made an effort The\nteachers have tried to correct the\nmatter, but the co-operation of the\nparents is needed to secure results.\nA child who is reared to come and go\nat his will, will become the victim\nof a tendecy that does much to injure\nhis poseibe success.\nA summary of the records in the\nhigh school shows that for the first\nfour months of the year, thirty pupils\nbave neither been absent nor tardy.\nOf these seven are boys; the best\npercentage of attendance ie in tbe\nFreshman class, wtich out of a\npresent enrollment of thiry-seven has\nfourteen without any loss of time.\nTHE HIGH SCHOOL EXAMINATIONS.\nOn Thursday and Friday. Jan. 22\nand 23, the final semester examina\ntions in the highschool will be held\nThose who have been doing their\ndaily work faithfully bave nothing to\nfear from these tests, but for others\ntbe finals may spell failure, as they\ncount one-fourth with the daily work\nand the monthly tests for tbe\ndetermination of the final average.\nAny pupil who falls below 65 in\neither his tests or his daily work or\nwhose average of test and daily work\nis below 75, fails in his work for the\nsemester and must take the subject\nagain. To seniors, therefore, it is a\nmatcter of graduation.\nA new plan for rbetorical work in\nthe high school was explained to tbe\nstudents last Friday. For tbe second\nsemester of the year, all the pupils in\ntbe school are to be divided into\nfive classes, each of which is to be in\ncharge of a teacher. These divisions\nwill meet separately once each week\nfor their work in public speaking.\nThe same rules will apply to this\ndepartment of work that govern every\nether subject in the school; pupils\nmust attend their division regularly\nand must do their work thoroughly\nand satisfactorily, for records are to\nbe kept, and failure in rhetoricals\nwill prevent graduation just as in any\nother subject.\nFor the seniors the work will con\nsist largely of writing and speaking\ntheir orations; in the other classes,\nit will be the recitation of declama\ntions, debates, extempore speeches,\nand other forms of address.\nRegular drill is to begin next week.\nMr. Frank Meyer spoke before the\nhigh school assembly last Wednesday\nmorning on lack of interest that the\npupils showed in their activities.\nHe condemned tbe attitude of boys\nand girls in school who expected\neverything to be done for them rather\nthan do for themselves, and who com\nplained because opportunities were\nnot furnished them for amusement\nHe recommended strongly that pupils\nget interested in things, and that\nthrough that interest, they get for\nthemselves the things they think they\nought to have.\nFORTY-ONE MILLION\nTO PAY ALL TAXES.\nWisconsin Tax Commission Completes\nTabulation Showing Enormous\nSize of Tax Budget.\nMadison, Wis.—The state tax\ncommission announced today tbe re\nsults of tabulations of Wisconsin\ntaxes for 1914. Total taxes of all\nkinds, state and local, for this year\namount to $41,496,960.21, and the\nstate assessment from which this tax\nwas derived was $2 998,187,705. The\ntax rate is computed at .01387403466.\nComparison of these figures with\ntbcse for last year show an increase of\ntaxes amounting to $7,973,547 30. Tbe\ntotal assessed valuation last year was\n$2,841,630,416, tbe total taxes $33,-\n623,412,919, and the tax rate\n.01183243701. This increase is slight\nly more than two mills, equivalent to\n$2.04 for sl,o’oo of true valuation.\nAn interesting observation in this\nconnection is the fact that the IN\nCREASE in taxes of all kinds this\nyear is greater than tbe TOTAL\namount of taxes paid for the year 1879\n—an interval of 35 years.\nSEVEN TOWNS APPEAL\nTO TAX COMMISSION\nAre Not Satisfied With The Equaliza\ntion Values Made by the\nCounty Board\nThe town of Clifton filed an appeal\nMonday from tbe equalization figures\nreported for tbat town, including tbe\nvillage of Livingston, by tbe equaliza\ntion committee of tbe county board.\nThis makes a total of seven towns in\ntbe county that have so appealed, the\nothers being Marion, Castle Rock,\nBoscobel. Bloomington, Millville and\nNorth Lancaster.\nA, preliminary hearing in these\nmatters will he held at tbe court\nbouse in Lancaster, before representa\ntives of tbe state tax commission on\nFriday, February 6, at 10 o’clock a.\nm., to examine tbe assessments of\ntaxable property in the various towns\nunder dispute and to determine\nwhether such appeal shall be enter\ntained and a review of such equaliza\ntion ordered as provided by statute.\nMr. A. E. James, of Madison,\nstatistician of the state tax cimmis\nsion, has been at the court house\nhere for several days past, examining\nthe records for land descriptions in\n‘the town of Potosi, it being represent\ned tbat there are quite a number of\nerrors in tbe description of some of\ntbe lands.\nFISH AND GAME SHIPMENTS\nPostmaster General Burleson Announces\nParcel Post Rulings.\nThe state fish and game com\nmission last week received word from\nPostmaster General Burleson relative\nto tbe new law governing the ship\ninent of dead fish and game by parcel\npost. The postoffice officials hold\nthat no dead sis hor game which has\nbeen killed illegally may be sent\nthrough tbe mails and tbat tbe laws\nof the state specify tbat postmasters\nshall not accept for mailing any\nparcel containing tbe dead bodies or\nparts thereof any wild animals which\nhave been offered for shipment in\nviolation of the laws of the state ter\nritory or district in which they were\nkilled. Provided, however that the\nforegoing shall not be construed to\nprevent tbe acceptance for mailing of\nany dead animals or birds killed dur\ning tbe season when tbe same may be\nlawfully captured.\nIt was also stated tbat tbe postoffice\nauthorities have the right to inspect\nall parcels placed in their care for\ntransportation, and when tbe packages\nare found to contain dead fish or\ngame shipped out of season, steps for\nthe punishment of the offender can be\nstarted under the federal laws.\nStock Shipments.\nWednesday—J. A. McCoy, 1 car of\nhorses\nThursday—John Dobson, 1 car of\nbogs.\nFriday —Andrew Lewis, 1 car bogs.\nMonday—Chas. Case, 1 car bogs;\nMcCoy and Croft, 3 cars bogs; Place\nand Jerrett, 3 cars hogs; Jno. Dobson.\n1 car hogs; Andrew Lewis, 2 cars of\nhogs.\nTuesday— Place & Jerrett, 2 cars\nhogs; John Dobson, 1 car hogs; And\nrew Lewis, 1 car hogs, 1 car horses;\nC. A. Bryhan, farmer. 1 car hogs,\nGeo. J. Wieland, farmer, 1 car cattle;\nW. E. Shimmin, farmer, 1 car cattle.\nThere being an insufficient supply of\ncars one car-load of hogs was left ov\ner for subsequent shipment.\nWedding invitations, printed or\nengraved, at this office.\nMethods Successful in Winning Corn\nContest.\nPure seed, good soil and careful at\ntention to the crop are the three prin\ncipal things to which I attribute tbe\nhonor of winning first place in tbe\ncorn-raising contest. I don't claim\nany “state championship. ’ This was\na connty competition. However. I\nunderstand that my record, 133 bushels\nand 38 pounds of corn produced on one\nacre, is the best production of any\nofficially observed. The best previous\nrecord was 13 bushels and 39 pounds\nless than mine.\n[ live in the Town of Eden, and\nwhile we call this “God’s country,”\nthere are many other localities in\nWisconsin, where with similar condi\ntions and equally good seed and care,\nperhaps fully as large yields would\nresult. We had 195 competitors in\nour contest and the general average\nwas so high as to demonstrate the\nwisdom of planting corn in Wiscon\nsin, and more to tbe point tbe wisdom\nof careful selection of seed and giv\ning tbe field tne best possible care.\nMy seed was the Golden Glow variety,\nNo. 12, pure bred. I obtained it from\nJ. P. Bonzelet, and it came from the\nuniversity of Wisconsin Experiment\nstation in 1907. It was planted on\nunusually good clay loam, brought to\na high state of fertility by rotation of\ncrops.\nI selected an acre on the outside of\na forty acre field of corn, and kept\nbusy. Throughout the season I paid\nstrictest attention to the corn, weed\ning it carefully, hill by bill, hoeing\nit by band and also cultivating it\nwith a team plow. The plants never\nstopped growing until sjme of them\nattained a height of ten feet, but\nmany of tbe stalks that made good\nwars were only five feet in height.\nWhen the grain was mature I got the\ncrop into barn in good weather and\ndid tbe husking by hand. I consider\ntbe final results ample reward for tbe\nadditional labor spent over tbe amount\ntne ordinary field gets for I figure the\naverage cost of this corn at only 10*£\ncents a bushel.\nThis experiment convinces me that\nscientific farming is the only proper\nway to get the best respite; 1 have not\nsold tbe crop but it is worth in tbe\nneighborhood of SIOO or $l5O, accord\ning to how much of it is sold as seed.\nThis particular lot is in demand by\nseedsmen simply because it won tbe\nprize, and possibly it will bring a\nhigher price for that reason, but any\n133 bushels of such high quality corn\nwould doubtless bring SIOO which is a\nrather good return on one acre of\nground and aboutsls worth of work.\nMilwaukee Journal.\n—The third anniversary of the\ndedication of the M. E. church at\nPatch Grove will be held in that\nvillage Friday evening, Jan. 23, with\na banquet at 50c a date. Ou Sunday\nmorning the 25th the sermon will be\npreached by Bishop William A.\nQuayle.\nMethodist Church.\nTho». S. Beavin, Pastor\n9:30 Bible school.\n10:30 morning worship.\n6:30 Epworth League meeting.\nSubject: “Peter—From Wavering to\nSteadfastness’” Speaker, Miss Elva\nKnox.\n7:30 Gospel service.\nThursday—7:3o Weekly prayer\nservice. Read Acts 4to 5 ‘‘Christian\nCommunion’”\nDon’t forget tbe Alma Taylor reci\ntal and impersonations on Tuesday,\nJan 27th.\nResidence for Sale.\nThe property on 2nd St. in Platte\nville known as the Geo. C. Hendy\nresidence. New brick house well\nbuilt, nice finish and in Ist class\ncondition, steam heated, electric\nlight, city water, bathroom, room\nwith toilet and fourteen lots platted\nas Farview Addition to City of Platte\nville. Will sell residence and two\nlots with barn, or will sell buildings\nand ten lots to suit purchaser.\nLook this property over if you want\na good home ; n Platteville. A bargain\nif sold soon. Possession March Ist.\nWrite or call either phone.\nW. E. LATHROP\nor H. E. BORAH,\n46tf Lancaster, Wis.\nNotice.\n. The Trustees of the Boice Creek\nCemetery Association, wish to call\nattention to a meeting at the Boice\nCreek Church, Jan. 27th, at 2 p. in.\nto transact business. 46 w 2.\nCarrying It to Excess.\nQuizzo —“I understand that your\nfriend Bronson is a vegetarian.”\nQuizzed —‘‘Yes. He has such pro\nnounced views on the subject that he\nmarried a grass widow'.”\nVOL. 71; NO. 47\nONE MARRIAGE LICENSE\nHAS NOW BEEN ISSUED\nGeorgetown - Jamestown Couple\nOnly One This Year\nBrought Proper Certificate of Health\nfrom Physician as Required by\nLaw and Secured Permit\nThe spell cast over Grant county by\nthe new eugenic Hw was broken last\nFriday when an applicant for a mar\nriage license, provided with tbe\nproper certificate required by the new\nlaw, appeared at the county clerk’s\noffice, and his wants were at once\nsupplied with tbe coveted permit to\nmarry. Tbe applicant was Josepn\nSimon, a farmer from the town of\nGeorgetown and the lady he wished\nto marry was Miss Chrietena Brant, a\nfarmer’s daughter, of the town of\nJamestown. The age of each of tbe\ncontracting parties was given as 30\nyears.\nThe medical certificate was isauel\nby Dr. J. E. Donnell, of Cuba City.\nLast year thirty six licenses were\nissued by the clerk during the month\nof January.\n—Fire broke out last Wednesday\nmorning in tbe roof of the old build\ning south of E. H Hyde’s block, oc\ncupied by Burrows & Winakilis eutoi\nrepair sbop in the basement ai<d G-\nQ. Skyes’ paint shop up stairs, sup\nposed to be from a defective chimney.\nOwing to tbe slight water pressure\navailable at first it took some time to\nget the flames under coutrol. Ihe\nroof was about half destroyed oa tne\nsontb end of tbe building. Toss about\n$l5O to S2OO. No insurance. Tbe\nbuilding belongs to E. E McCoy, and\nwill be repaired at once.\nSEAT LEE, BAR GLASS\nSENATE BODY HOLDS 17TH\nAMENDMENT IS IN FORCE.\nCommittee’s Finding to Be Passed on\nToday by Upper Branch of\nCongress.\nWashington, Jan. 19. —In deciding\nthat Blair Lee, Democrat, of Maryland\nshould be seated as United States sen\nator to succeed Senator Jackson, Re\npublican, and that Frank P. Glass of\nAlabama is not to be seated to succeed\nthe late Senator Johnston, the senate\ncommittee on elections determined\nthat the seventeenth amendment is\nnow in full effect; that no supplement\nal legislation by legislatures is neces\nsary, and that the governor of a state\nhas authority to call a special election\nwhere machinery for such an election\nexists.\nThe senate will pass upon the cc.n\nmittee’s report today.\nIn the Maryland case one Republic\nan, Senator Kenyon of lowa, voted\nwith six Democratic members to seat\nMr. Lee. In the Alabama case only\nSenator Bradley, Republican, of Ken\ntucky, favored seating Mr. Glass. Dem\nocratic leaders expect opposition from\nthe Republican side before a vote is\nreached on the Maryland case.\n“The two cases.” said Chairman\nKern, “were vastly different. In the\nAlabama case proponents of Mr. Glass\nmaintained that the seventeenth\namendment was not in effect because\nthe legislature had not met to supple\nment it with machinery to carry it out\nand that therefore the old laws were\nin force. In the Maryland case, the\nvalidity of the amendment was recog\nnized and effort to carry it out through\nexisting election machinery, a course\nwhich was ratified by a majority of the\nvoters of the state. In Alabama, the\namendment was ignored and in Mary\nland it was sought to carry out the\nspirit of the amendment.”\nGlass was appointed by Governor\nO’Neal to fill the unexpired term of\nSenator Johnston, who died after the\ndirect elections amendment had be\ncome a part of the constitution.\nIn the Maryland case Governor\nGoldsborough called a primary elec\ntion and Blair Lee was victorious. In\nthis case it was declared that the elec\ntion was irregular because it had not\nbeen called by the legislature, but the\ncommittee held that Mr. Lee was en\ntitled to his seat because he was\nchosen by direct vote of the people.\nRelics of Wagner Stolen.\nRelics of Wagner, the great com\nposer, were stolen from the family\nhome, Villa Wahnfried. at Bayreuth,\nGermany, on a recent night. The most\nvaluable of the relics were taken, in\ncluding the composer’s watch, set with,\ndiamonds.\nTight.\nThey were searching for a name for\nthe new apartment house. “From the\nway you're going to pack the people\nin,” remarked a prospective tenant, “I\nsuggest that you call it The Sardinia.” *", 'batch': 'whi_kenyon_ver01', 'title_normal': 'grant county herald.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85033133/1914-01-21/ed-1/seq-1.json', 'place': ['Wisconsin--Grant--Lancaster'], 'page': ''}, {'sequence': 1, 'county': ['Sauk'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn86086068/1914-01-22/ed-1/seq-1/', 'subject': ['Baraboo (Wis.)--Newspapers.', 'Wisconsin--Baraboo.--fast--(OCoLC)fst01222682'], 'city': ['Baraboo'], 'date': '19140122', 'title': 'Baraboo weekly news. [volume]', 'end_year': 1979, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Available on microfilm from The State Historical Society of Wisconsin.', 'Editors: H.E. Cole & H.K. Page, Jan. 4, 1912-April 12, 1928.', 'Publisher varies.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Baraboo, Wis.', 'start_year': 1912, 'edition_label': '', 'publisher': 'H.E. Cole & H.K. Page', 'language': ['English'], 'alt_title': [], 'lccn': 'sn86086068', 'country': 'Wisconsin', 'ocr_eng': 'ESTABLISHED MAY 26, 1884\nU 801 HI\nnan me\nTells of School House Be\ning Built for About\nFifty Dollars.\nEARLY OAYSJN TROY\nOld Money, Newspapers\nPictures and Other Ob\njects Gifts.\nThe following have bsen given to\nthe Sauk County Historical society:\nArthur Redman, 721 Walnut street,\ngives a Confederate fifty dollar bill.\nGeorge E. Northrup, JBaraboo, gives\nan Atlas of Minnesota, dated 1874.\nN. B. Hood of Spring Green sends\na picture of the monument erected in\n1883 at Lone Rock by the survivors\nof the Sixth Wisconsin Battery. The\nnames of the me oncers of the company\nand the important battles in which\nthey participated are cast in bronze.\nA copy of the “ Wisconsin Patriot",\ndated March 1, 1835, is given by Miss\nBelle Blanchett of this city. The\n<copy is Vol. 1, No. 104, and is largely\ndevoted to advertisements and news\nof the legislature.\nJ. Sidney Geor <e, Rice Lake, Wis.,\nsends a copy of Ringling Brothers\nletter paper, such as they used about\n1883. The pictures of the brothers il\nluminate the lop of the Bheet and is\nan interesting relic of the early circus\ndays of Baraboo.\nThe Columbus ships stopped at\nManitowoc last fall on their way to\nSan Francisco. H. George Schuetie\nof Manitowoc sends a picture of the\nthree frail barks as they appeared in\nhis city.\nClark Sturdevani gives a copy <f\nihe Daily Citizen printed on wall\npaper in Vicksourg during the siege\nAn 1863. Tula paper has given ex\ntended descriptions of these papers in\nthe past.\nCaptain J. P. Drew of Baraboo gives\ncopies of the general army orders,\n1861-1865. It is an unusual collection.\nWhen H. L. Skavalem of Janesville\nlectured before the society last w inter,\na picture was taken of a number of\nthe objects he had made from stone.\nOne of the pictures is given by Kiis\nKramer.\nHarrisburg school district, town of\nTroy, loans Ihe record book which\nwas kept by the pioneers, the first\nsentry being made Jan. 2, 1850. Troy\nwas then a part of Honey Creek, the\nfirst meeting wai at the home of Wil\nliam Young and among the persons\nnotified by the clerk, John Bear, were\nJ. W. Harris, Wesley Harris, Henry\nKiefer, Stephen Miller, James A.\nTaylor, William Youag, Parson\nYoung, Henry Clamaa, John Feller,\nNicholas Nutzer, and ethers. Among\nthe teachers of that district were Orasa\nDrew, Mrs. Johnson, John Young,\nafterwards sheriff, and others. The\nfirst log buliding, 16 by 20 feet, was a\ncabin covered with clapboards nailed\non “rills”, with floors laid down\nloose, with four 12 light windows and\n“scutched.” The society will be glad\nto receive more of the pioneer reco:d\nbooks.\nWhen Peck & Or vis were in business\nin Baraboo before the Civil War they\nissued paper money. A few specimens\nof this money are desired by the\nsociety.\nSAMUEL I EM\nIS HOT CHIME\nSamuel H. Cady of Green Bay,\nwhose name has been mentioned with\nprospective candidates for congress\nmen in the 9th congressional district\nin Wisconsin, is not a candidate. He\nsays: “I have not considered the pro\nposition seriously and I am not a can\ndidate.” Mr. Cady formerly resided\nin Sauk county and is a brother of\nCity Attorney V. H. Cady.\nLicensed to Marry\nDr. C. M. Wahl, Madison and Erna\nSprecher, Troy. The bride is a daugh\nter of Mr. and Mrs. George Sprecher.\nBARABOO WEEKLY NEWS.\nCOMPARATIVE RII\nKITE FIGURES\nEveryone is paying his taxes these\ndays providing an elephant has not\nstepped on his pocketbook, and a few\nfigures as to the high cost of living\nof municipalities may be interesting.\nThe tax payers in the following cities\nare paying:\nBaraboo, $23.00 on each SI,OOO\nRichland Center, $29.40 on each\nSI,OOO\nPortage, $20.00 on each SI,OOO\nSparta, $25 10 on each $1,003\nReedsburg, $15.30 on each SI,OOO\nMadison $16.50 on each SI,OOO\nWaupun, $31.89 on each SI,OOO\nOshkosh, 17.50 on each $1,003\nHartford, 13.14 on each SI,OOO\nBoricon, 12.00 on each SI,OOO\nWatertown, 16,98 on each SI,OOO\nLodi, $24 cn each SI,OOO\nFox Lake, $24 30 on each SI,OOO\nRio, $lB 93 on each SI,OOO\nU BUS\nFIOMBUNAWAT\nAbraham H. Johnson Dies\nat the Gem City Gener\nal Hospital.\nAbraham Henry Johnson, who was :\ninjured in a runaway accident on l\nTuesday, died this morning et 5:47 at\nthe Gem City hosrital to which insti\ntution he was t&ken after the accident.\nAs previously staled, a lino broke es\nhe was driving down the hill on\nthe Merrimack road near the Pearson\nhomes and the team ran away. He wts\nthrown forward and struck on his\nhead, there being no visible injury\nexcept a slight spot near the forehead.\nWhen examined at the hospital it was\nfound there was an injury at the base\nof ihe skuli, but the condition of the\npatient did not warrant an operation.\nHe did not regain consciousness after\nhe was thrown and recovery was not\nexpected. It was an unfortunate ac\ncident and removed a Greenfield res -\ndent in the prime of life. He was re\nmoved soon alter death to the E. 8.\nJohnston undertaking rooms.\nMr. Johnson was born August 4,\n1865, and resided in Greenfield for\nmany years. He leaves a wife and\none son, Eddie, aged 15, and a daugh\nter, Lillian, aged 12.\nHe also leaves the following broth\ners and sisters:\nClarence Johnson, Baraboo\nJoseph Johnson, Heyward, Wis.\nJosiah Johnson, Minnesota\nMrs. Sarah Smith, Canada\nMrs. Kate Nettle, Baraboo\nMrs. Cornish, Baraboo\nMrs. Hannah Noot, Beloit\nmiiriH;\n1 up IIIOE\nFrom Eos Angeles, Cal., cams Mrs.\nHelen Mason Perclval on Thursday\nand in the evening she was married\nto Nathan Farnworth at the heme of\nMr. and Mrs. Oscar Wigelow, 321\nFifth avenue. The ceremony was\npronounced by Rev. C. D. May hew of\nthe Baptist church in the presence of\nonly a few friends of the groom. Mr.\nFarnworth has resided in Merrlmsck\nand Baraboo for many years aud is a\nveteran of the Civil war. They are\nmaking their home at the corner of\nBirch street and Seventh avenue.\nOperation Is Performed.\nMrs. Frank Rohner of Wonewoc\nunderwent a serious operation for\nmalignant tumor Wednesday morn\ning at the Wonewoc hospital. Mrs.\nRohner is a sister of Mrs. Zaida Mor\nrison, now Mrs. W. C. Westurn, Mrs.\nWm. Lamberton and L, A. Hampton\nof this city.\nA Wise Child\n“Willie,” sadly said a father to his\nyoung son, ‘I did not know till today\nthat last week you were whipped by\nyour teacher for bad behavior.”\nDidn’t you, Father?” Willie an\nswered cheerfully, “Why, I knew it\nall the time.”—February Woman\'s\nHome Companion.\nBARABOO, WIS., THURSDAY, JAN. 22, 1914\nSOME FOLKS’ IDEA OF AN INSULT.\n*You AREA LCwDCwmJ v’uaw 1 I VyOU ARE A DISREPUTABLE,) \' } Ho-Ho!T\n(Vhy, you Haven\'t A \\*3TOP ! (> N6THfH4r Moße V you\'re\n!\nC You\'Re AW ) “ ,o (’HOW OKRE you insult me!\nH-ti-sI Jtes ~sssss;\nffigU\n—Webster in New York Globe.\nHow 120 Bushels ol Corn Were Raised on\nan Acre o! Ground.\nPaper Written by Ernest Wichern, Son of Mr. and Mrs. Wm. Wichern\nand Read Before the Skillet Creek Farmers’ Club\nThere was clover on the bind laßt\nyear. The first crop was cut for hay\nand the second was cut for seed. The\nnext spring about twenty tons of\nstable manure were hauled on the land\nand plowed in the latter part of May.\nThe ground was harrowed and the\ncorn planted about the first of June*\nThe corn came up iu a few days and\nwfien it was about four inches high it\nwas dragged crosswise as the corn\nwas drilled in. After the corn was\nhigh enough to cultivate I went\nthrough it with the sulkey cultivator,\nthis being about the middle of June.\nAbout ten days later the com was\ngone through again with the same\ncultivator. A week after this we\nstarted hoeing it. The rows were\nplanted three feet, eight inches apart,\nand the corn was very thick in the\nrow. As we hoed it we thinned the\nstalks out to about twelve inches\napart. It took two or three weeks to\nget it all hoed because it seemed hard\nto stick to the job. It it had bsen hoed\nand thinned sooner there would have\nbsen a larger yield.\nThere was nothing done with the\ncorn after this until husking time£\nNumerous\nterritorial\nResidents\nDiscovered\nSince our last report several new\nnames have been added to the News\nTerritorial club. All readers of this\npaper who were in Wisconsin before\nMay 29,1848, should send their names\nat once. When all have enrolled a\ncertificate of membership will be\nmailed from this office. Here is the\nlist up to date:\nA. W. Foster, born at Barry Center,\nOswego county, New York, March 11\n1844; came to Wisconsin in September,\n1844, and to Baraboo in May, 1848.\nP. P. Palmer, born in New York\nstate in 1843 and came to Baraboo in\n1847.\nMrs. John Wiggins, North Freedom,\nborn in Dane county, September 17,\n1846.\nMrs. Marie Burrington, born in\nupper Canada, town of Dumfrie, in\n1834, and came with the family\nto Dane county in 1839 and to\nBaraboo in 1857.\nVolney Moore, Baraboo, born in\nDane county, August 5,1843.\nDaniel Brown, born at West Alley,\nOrange county, Vermont, 1832, and\ncame to Sauk county in 1844.\nVf w days before the corn was ready\nto be hulked tbere was a wind slorm\nwhich knocked the stalks down pretty\nbadly. After the stalks were knocked\ndown the chickens and little pigs\nfound that it was a good place to get\ntheir meals. The Saturday before the\nfair we husked the corn, allowing\nseventy five pounds to the bushel.\nThe corn yield of the country could\nbe greatly increased if the corn could\nbe taken care of in the right way and\nat the right time.\n(Editor\'s Note—ln the corn contest\nconducted by County Superintendent\nG. W. Davies, Walter Klip3tein of\nLoganville look first prize and Ernest\nWichern second. The average yield\nin the United States is 23 bushels,\nin Wisconsin 40 bushels and in the\ncontest 100. The highest in the con\ntest was 122 bushels and the lowest\nabout 82 bushels. Master Wichern\nraised nearly 121 bushels and had it\nDot been for the invaders he would\nno doubt have taken first prize. As\nshown in this case it is cot only good\nfarooingto raise a fine crop but to care\nfor it as well. This is an inportant\nelement.)\nErastus Brown, brother of the above,\nborn in Orange county, Vermont, in\n1830 and came to Sauk county in 1844.\nMrs. Rose M. (Clark) Morley, born\non Big Foot Prairie, Walworth county,\nWis., Nov. 19, 1812, and came to Bar\naboo Sept. 6, 1848.\nSarah Amea Pigg, 514 First street,\nBaraboo, was born at Oregon, Wis.,\nIn 1847.\nM. C. Johnson, 1325 East street,\nBaraboo, born June 18, 1841, in Cass\ncounty, Michigan, and came to Bara\nboo, September 18, 1841.\nMrs. Leander B. Wheeler of Lime\nRidge, born at Salem, Wis., Septem\nber 7, 1845.\nMrs. Sarah Race, Baraboo, born in\nNew York, November 12, 1823, and\ncame to Wisconsin in 1841.\nMrs. Victoria Peck Hawley, born in\nMadison on September 14, 1837.\nMrs. Mary Trumble, first white\nchild bom in the town of Freedom,\nMay 17, 1848. Now a resident of\nNorth Freedom.\nThe Hackett Family of North Free\ndom.\nGeorge Hackett, born in Canada,\nJan. 30,1829, came to Sauk county\nMarch 27, 1848.\nTimothy Hackett, born in Canada,\nMarch 26,1831, came to Sauk county\nMarch 27,1848.\nJohn Hackett, born in Canada, July\n30,1833, came to Baraboo March 27,\n1848.\nJoel Hackett, born in Canada, Aug.\n27,1835, and came to Sauk county\nREERSBURG GIRLS\nIRE CAST DOWN\nThe Reedsburg basket ball team\nwas defeated at Kendall by a score of\n3 to 48. Concerning the Reedsburg\ngirls, who accompanied the boys, the\nKeystone says:\nBut there was a nice bunch of girls\nthey towed in from the town with the\nDoric name! Lovely creatures—some\nof them fairer than the fairest flower\nthat ever bloomed in the vale of Shar\non. Poor girls! They came with\nsprightly youth and glowiog beauty,\nanimated by unalloyed faith in their\ngallants and alive with gushing senti\nmentality, only to be cast down into\nthe dolorous valley of Jehosiphat. It\nWtS too bad.\nloogeledlg\nIS DigE EVERT\nCeremony Pronounced at\nthe Regular Meeting of\nMystic Workers.\nFor tbe first time in the history of\nthe city of Baraboo a couple was mar\nried on Wednesday evening at the\nregular lodge meeting. The bride\nand groom were W. C. Westurn of\nBeloit and Mrs. Zuda Morrison of\nBaraboo. Mr. Westurn formerly re\nsided here and the couple has known\neach other for many years. The cere\nmony was read by Rev. B. E. Ray,\npastor of toe Congregational church,\nthe couple being accompanied by Mr.\nand Mrs. William Lamberton and\nMiss Lillian Steckenbauer playing the\nwedding mareu. The hall was deco\nrated for the occasion, about eighty\nwere present and at the conclusion of\nthe ceremony congratulations were\nextended and presents given. Supper\nwas served at the Robinson restaurant.\nBefore the welding the regular lodge\nmeeting was held, five candidates\nwere initiated, the cflijer3 were in\nstalled by Mrs. Clara Hackett of\nNorth Freedom and all in all it was a\nlodge evening long to bs remembered.\nMr. and Mrs. Westurn have gone to\nBeloit where they will reside at 1143\nSixth street.\nVETERAN’S FUNERAL\nHELD ATJEDSSUR6\nThe funeral of John Mallon, who\ndied Tuesday at his home near Iron\nton, was held in the M. E. church In\nReedsburg Thursday, the. sermon be\ning preached by Rev. Moon of Iron\nton. The remains were laid to rest in\nthe Greenwood cemetery. The de\nceased was an old soldier in the Civil\nwar and was a member of Cos A, 19th\nWis. Inf. He enlisted at Reedeburg\nJan. 10,1862, and fought until he was\ntaken prisoner in the fall of 1864. Elev\nen members of the company were\npresent at the funeral and the pall\nbearers were survivors of the com\nmand. They were Rube Sanborn,\nE. 8. Palmer, A. Fry, Henry Grote\nGeo. Paddock and Wm. Bwetland of\nReedsburg and JBaraboo.\nWill Come Out’Rifllit Side Up.\nConcerning a former North Freedom\neditor the Kendall Keystone says:\nG. L. Schermmerhorn of varied jour\nnalistic experiences, who is well\nknown in Kendall, has settled down\nas assistant editor of the West Salem\nNonpariei Journal. The lad has had\nhis ups and downs—principally the\nlatter—but he is bright and with ex\nperience and the wisdom of accumu\nlating years will come out right side\nup.\nMarch 27, 1848.\nMrs. Dency M. (Hackett) Gray\nborn in Canada, May 13,1839, came to\nSauk county March 27,1848.\nFrank Hackett, born in Illinois,\nJuly 24,1840, came to Sauk county\nMarch 27,1848.\nParshall Hackett, born in Illinois,\nNov. 8,1844, came to Sauk county\nMarch 27, 1848.\nREAD BY EVERYBODY\nTit! Fill ill\n■Tip HEFT\nStrange Coincidence in Sac\nramento, California,\nRecently.\nTHEY DIKED- TOGETHER\nAll Were From Across the\nSea and Had Become\nSeparated.\nBtrange things sometimes happen\nto one when he travels. Forty seven\nyears ago Antone Ludwig and John\nWolf came from their native land,\nSwitzerland, to America. They crossed\nthe ocean together and during their\ntransatlantic trip b?cimefast friends.\nThey first located in Sauk, Wiscon\nsin, where Doth remained for many\nyears. There they were both married\nand by a strange coincidence both lost\ntheir wives in 1912, although widely\nseparated at the time of their be\nreavement.\nMr. Ludwig was the first to leave\nSauk but after a short residence in\nVirginia City, Nevada, he induced\nMr. Wolf and family to follow him.\nIn 1878 both families left Nevada, one\ngoing to Montana and the other to\nCalifornia.\nA few days ago both accidentally\nmet in Bacramento and while they\nwere viewing the sights they were sur\nprised to find William Franke of\nWoodland, also a former rejident of\nSauk City. After the chance meeting\nthey enjoyed a reunion and dined to\ngether. Mr. Ludwig has mining\nproperty and when he resided in Sauk\nCity was employed in the Kosche\nstove foundry. Mr. Franke is a son\nof Mrs, Caroline Frank of Bauk City.\nton hum:\n.gets mu rail\nFour Reedsburg Youths\nTaken to Madison and\nReceive Sentences.\nOn the charge of breaking into Ue\nReedsburg brewery and stealing a\nquantity of liquor, Guy Smith wra\nsentenced at Madison on Wednesday\nto the state penitentiary for 18 month a\nby Judge Stevens in the circuit court*\nPalmer Smith, who was with him*\nwas also sentenced for four years but\nthe court suspended the sentence. Tha\nSmiths are not related to t each other\nbut have been committing depreda*\ntions together. Oae of the Smiths had\nbeen helping himself ito booze in the\nbrewery before, it is stated, and was\nalso implicated in other crimes of a\nburgular nature. Howard Priest\nand Clarence Rebety, two younger\nyouths, went aloDg the last\ntime the Smiths visited the booze fac\ntory and were caught in the net\nthrown out by the officers. Priest\nand Rebety were paroled to B. N.\nJostad, field probation officer of the\nstate board of control for four years.\nDistrict Attorney J. H. Hill of Bar*,\naboo appeared for the state.\nANOTHER RUNAWAY\nIN 6REEREIELD\nOn Wednesday a horse driven by\nJames Albert of Greenfield ran away\nand the driver reoeived a sprained an-*\nkle. Dr. A. L. Farnsworth was sum\nmoned to care for the injury.\nCaught Him With the Goods.\nA Kilboum merchant went on e\nhunting trip for birds and got them\nOn the way home he met a game war\nden and the game warden got the\nhunter. Fine and costs cleared the\natmosphere.\nUndergoes Operation\nMiss Abbott of Sauk Prairie has un\ndergone an operation at a Baraboa\nheme.', 'batch': 'whi_lethifold_ver01', 'title_normal': 'baraboo weekly news.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn86086068/1914-01-22/ed-1/seq-1.json', 'place': ['Wisconsin--Sauk--Baraboo'], 'page': ''}, {'sequence': 1, 'county': ['Dodge', 'Jefferson'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn85040721/1914-01-23/ed-1/seq-1/', 'subject': ['Watertown (Wis.)--Newspapers.', 'Wisconsin--Watertown.--fast--(OCoLC)fst01212850'], 'city': ['Watertown', 'Watertown'], 'date': '19140123', 'title': 'The Watertown weekly leader. [volume]', 'end_year': 1917, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Available on microfilm from The State Historical Society of Wisconsin.', 'Editor: E.W. Feldschneider, Dec. 19, 1913-Dec. 29, 1914.', 'Issued also in a daily edition called: Watertown daily leader, March 6-<July 31, 1916>.', 'Publisher varies.'], 'state': ['Wisconsin', 'Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'Watertown, Jefferson County, Wis.', 'start_year': 1912, 'edition_label': '', 'publisher': 'W.L. Swift', 'language': ['English'], 'alt_title': ['Weekly leader'], 'lccn': 'sn85040721', 'country': 'Wisconsin', 'ocr_eng': 'THE LEADER\nhas a large circulation i\'i Jefferson and\nDodge Counties and is a good advertising\nmedium. A trial will convince you. :\nE. W. FELDSCHNEIDEK. Editor and Punisher.\nVALUABLE TOPIC FOR FARMER\nBUSINESS METH\nODS ON THE FARM\nEvery Up-to-date Farmer Should\nTake an Inventory of His\nFarm Now.\nThe Leader has adopted anew feature\nin its endeavor to be especially value\naide to the farmer and will each month\npublish p irts of the Wisconsin Bankers\nfarm bulletin, having been requested to\ndo so by the Farmers & Citizens Hank.\nThe for ming article on Inventories is\nan especially valuable one and should be\ncot out aud saved for reference.\nAn inventory is a statement showing\nin detail the value of land, buildings,\nlivestock, equipment, produce, cash on\nhand and in the bank on the date of in\nventory, together with the amounts of\nall notes and bills that others owe to the\nfarmer as well as those that the farmer\nowes others.\nWhy take an Inventory?\nAn inventory shows, lirst, the farmers\ntotal investment, second, his net worth,\nthird, how much his net worth has in\ncreased or decreased during the year.\nThe total investment is determined by\nadding together th e values of the various\nclasses of property. On this invest\nment the farm must pay a fair rate of\ninterest before there is any return for\nlabor. It is often desirable to know\nhow much of the total capital is invest\ned in horses, land, buildings, etc., and\nby a proper grouping of the farm prop\nerty the annual inventory will furnish\nthe most excellent material for such\nstudy. In case there are no debts, the\nnet worth will be the same as the total\ninvestment; but on farms where there\nare debts these must be subtracted\nfrom the total investment. By compar\ning the net worth of the inventory at\nthe beginning of the year and the net\nworth of that at the end of the year, the\nfarmer can see how much he has gone\nahead or dropped behind.\nBesides furnishing the farmer and his\nfamily a living, the increase or decrease\nin the net worth is what the farm has\ngiven in return for labor and the use of\ncapital. To be able to determine how\nmuch one has gained or lost during the\nyear is of great importance, and the\nvalue of the information alone will more\nthan repay the farmer for the time\nspent on the inventory. It is a common\nmistake for all those who do not take\nthe inventory to look at the amount of\navailable cash as a guage of their busi\nness success. This is a grievious mis\ntake for fluctuations in cash mean prac\ntically nothing. A gain of SI,OOO in cash\nat the end of the year may simply mean\nthat some of the property on hand last\nyear has been turned into cash. On the\nother hand, a decrease of 11,000 may\nmean that what was cash last year ap\npears now in the form of anew build\ning or some other improvement.\nAn annual inventory will also be of\nmaterial assistance in adjusting a loss\nby fire-should buildings, or contents,\nbe burned.\nTime of Taking Inventory.\nFor Wisconsin the time of taking an\ninventory will vary between January 1\nand April 1, preferably March 1. The\nexact date will depend on the location\nof the farm and the type of farming.\nOn a poultry farm the most convenient\ndate is in the fall; whereas on dairy and\nstock farms where there is likely to be\na great deal of feed on hand earlier in\nthe year it might be advisable to post\npone this work until later in the winter.\nFor best results ihe inventories ought\nto be taken on the same date each year,\nand, hence, it is advis: ble to choose a\ndate that is early enough to make it\npossible to get this work done before\nfield work begins even during the years\nof early spring.\nBuildings,\nList and give a valuation to each\nbuilding - The value to be put upon a\nbuilding will depend upon its present\nusefulness, original cost, character of\nbuilding material used, construction,\nstate of repair, age, location, etc. In\ncase of dwellings and barns, handiness\nand sanitation are also points which need\nto be considered. The value must be\nestimated on the basis of the above\nfactors. Statistics show that buildings\nwill, as a rule, decrease in value at a\nyearly rate of from two to four per cent\nof the original cost.\nWater System.\nUnder this heading enter all items\nthat have to do with the water supply\nof the farm and that is a part of real\nestate. Gasoline engines and movable\ntanks would not be included in this\ngroup. Pumps, welis, cement tanks\nand reservoirs, windmills, etc., should\nbe itemized and given separate values.\nThe values of windmills and pumps\nmust be reduced at the rate of from six\nto ten per cent yearly, whereas, wells,\nconcrete tanks and reservoirs can be\nput in the inventory at the same value\neach year.\nLand.\nAfter having obtained the value of\nbuildings and the water system, add the\ntwo totals together and subtract their\nCbe iUatmown meekly Header\nsum from the value of the whole farm.\nThe remainder will be the value of the\nland including fences, woodlots and\ndrainage. Land ought to be left at the\nsame value in the inventory from year\nto year unless there is good reason for\nsome other practice.\nLive Stock.\nHorses and cattle are inventoried in\ndividually. In order that they may be\nrecognized when taking the next in\nventory, they ought to be listed either\nby name or number. The local selling\nprice of horses and cows will help to\ndetermine their value. Age must be\nconsidered. Horses usually rise in\nvalue until the y are about 4 years old\nand then fluctuate with the seasonal\nprice until they are about 10, and then\ndrop off rather rapidly. The value of\nmilk cows will usually rise and fall in\nthe same manner. Hogs, sheep, poultry,\n(unless purebred), are usually inven\ntoried at a certain rate per head, this\nrate being based on market price.\nProduce and Supplies.\nThis includes, hay, straw, grains, corn,\nground feed, binder twine, paints, oils,\nnails, posts, etc. Most of the puchased\nsupplies are on hand in small quantities\nand can either be weighed or estimated.\nWith roughage, grains and corn it is\ndifferent. The amounts on hand of\nthese commodities are found by getting\nthe cubic contents of the bins, mows,\nand stacks. To find the approximate\nnumber of cubic feet in a stack, measure\nits length, width and “over.” To meas\nure the “over,” throw the tape over the\nstack and hold it tight down to the bot\ntom of the stack on both sides. Having\nthe measurement, multiply the length\nby the width, by the “over” and divide\nby 4 to get the number of cubic feet.\nThe number of cubic feet to a ton will\nvary from 320 to 550, depending on the\nkind of hay and how well it is packed.\n500 is ordinarily a safe figure to use.\nEar corn will run between 2y% and 2 l / 2\ncubic feet per bushel, depending some\nwhat on the size of the ears and the\nlength of time it has been in the crib.\nIf one wishes to use 2% cubic feet, the\neasiest method is to multiply by 4 and\ndivide by 10. A bushel of oats, barley,\netc., runs very close to 1 l / 2 cubic feet\nto the bushel. To reduce cubic feet to\nbushel, therefore, one may either divide\nby or else multiply the cubic con\ntents of the bin by 8 and divide by 10.\nSilage will vary from 20 to 60 po mds\nto the cubic foot, depending chiefly on\nthe height to which the silage stood in\nthe silo at the time of filling. There is\nno market price for silage, but for the\npurpose of the inventory it may be\nvalued at 1 3 the market price of hay.\nMachinery and Equipment.\nFor best results, list and value each\nmachine and tool by itself. If one does\nnot desire such detail, minor equipment\ncan be listed and valued in smaller\ngroups, as for instance, carpenter’s\ntools, b\'acksmith’s tools and garden\ntools. But no matter which method is\nused in inventorying minor equipment,\nit is always advisable at the time of tak\ning the first inventory to make a com\nplete list of all tools. For later inven\ntories the value of such equipment may\nbe determined by subtracting 10 per\ncent from the value of the preceding\ninventories and adding the value of new\ntools. At just what value to put ma\nchinery into an inventory will depend\non cost, age, usefulness and efficiency.\nA cinder that cuts 20 acres will last\nlonger than the one cutting 100 acres a\nyear. A machine stored indoors while\nnot used will last longer tnan the one\nleft outdoors, etc. The inventions of\nnew and more efficient machines may\ncause sudden drops in the values of the\nold machinery. As soon as the binder\nwas put on the market the value of the\nreaper was decreased rapidly. Special\ncrop machinery will decrease in value\nsuddenly in case the growing of that\ncrop is discontinued. An example of\nthis would be the sugar beet equipment\nin localities where the growing of beets\nhas been discontinued. The average\nrate at which machinery will decrease\nis not always of much use, but may\nserve as guides. The following are\nsome of the annual rates of deprecia\ntion for the more common machines:\nper cent.\nHay rakes, grain binders, mowers.. . 8\nDrills and seeders, corn planters, corn\ncultivators, gang plows. 7\nHay loaders, manure spreaders 12\nWalking plows and heavy harness... 6\nHarrows 9\nWagons and disks 5\nCash and Notes.\nCash on hand aud in the bank, as well\nas all notes and bills that the farm busi\nness has coming from others, should be\ndetermined aud inventoried accurately.\nBy depositing in a bank proceeds of all\nproduce aud stock sold, and payment of\nall bills bv bank cheek, the annual “pro\nfit or loss” may be more easily ascertain\ned aud annual inventories more readily\nprepared.\nDebts.\nAll debts should be included in the in\nventory. It is advisable to list each\nmortgage ana note and bill separately,\nand to give the name of the party to\nwhom it is drawn.\nValuation.\nThe chief aim in taking an inventory\nshould be to make it show the actual con-\nditions of the farm business. In order\nto make the inventory show this it is\nnecessary to be conservative in all valua\ntions. To be able to place an exact\nvalue on the different items of farm\nproperty is, of course, difficult, but for\ntunately this is not absolutely necessary\nfor the accuracy of the inventory as a\nwhole will not vary directly with the\ncorrectness of the valuation of any one\nitem. If one acquaints himself with\ncurrent prices and tries to be fair in\nhis estimate he is not likely to be very\nfar off on the value of any one item,\nand what mistakes he may make wil\nmost likely offset one another. In case\nof the herd he may rate some of his cows\na little high, but he is just as apt to\nvalue other cows a little too low, and\nthe chances are that by adding together\nall of the values his result would be very\nclose to what the herd would sell for.\nK. C. PROGRAM\nVERYPLEASING\nMiss Mary A. Doyle and Miss\nAnna F. Holahan Give Pro\ngram Before Baquet.\nThe Knights of Columbus gave\na very pleasing free entertainment\nat St. Henry’s hall Wednesday eve\nning after which a banquet was\nheld at the K. C. Lodge hall by\nthe knights and their friends. St.\nHenry’s hall was crowded and none\nwere disappointed in the progam.\nMiss Doyle is one of the best read\ners that has ever been here and\nMiss Holaban’s singing was highly\npleasing. The ladies were very\nably accompanied at the piano by\nMrs. C. A. Feist. The banquet\nwas an affair which will long be re\nmembered by all present. Editor\nJ.W. Moore was toastmaster and\nresponses were given by the follow\ning: Rev. Fr. Hennesey, Attorney\nJ. G.Conway, J. E. Me Adams, E.\nMangold, John Salick. Miss Doyle\nalso gave a reading at the banquet.\nEDWARD MAY IS\nCALLEDBY DEATH\nFormer Watertown Mill Owner\nDied Thursday Evening\nIn the East.\nNews was received here from Aspiu\nwall, Pa., of the death of Edward May,\none of the former owners of the Globe\nMilling Cos., one of whose mills, some\ntimes known as May’s Mill, burned to\nthe ground in 1894. Mr. May had been\nill for some time bright’s disease being\nthe cause of death. The deceased was\nabout 57 years of age and was born in\nWatertown. The family went to Aspiu\nwall about ten years ago. He is sur\nvived by his widow aud six children,\nPercy, Gustav, Herbert, Silas, Harry and\nEdna May. Interment will be at Aspiu\nwall, Pa.\nDEPOT AGENT\nIS PROMOTED\nNorth Western Railroad Agent.\nPaul F. Kohler, to Go\nto Grand Rapids\nPaul F. Kohler, who has been the sta\ntion agent at the Northwestern depot the\npast few years has been promoted to\nGrand Hapids where he will have charge\nof the depot. Mr. Kohler has already\ngone to that city and the family will\nmove there next week. G. T. Bopth of\nFort Atkinson has been transferred to\nWatertown in Mr. Kohler’s place. Mr.\nand Mrs. Kohler have been especially\npopular here and their many friends al\nthough glad to learn of the promotion\naresorry to see them leave.\nJohn Walther Attempts Escape.\nJohn Walther, who is in jail at Elk\ntorn awaiting trial for murdering his\nwile near Whitewater last fall, attempt\ned escape in company v\\ Ith Harry McFee,\na slippery confidence man. They had\nsawed the iron bar which holds the steel\nplate i;a place over the manhole of the\nventilator flue. They planned to climb\nthe inside of the flue and jump to the\nroof. The work was done with an old\ncase knife aud must have taken hours of\ntedious toil. The attempted escape was\ndiscovered by the sheriff in time to pre\nvent it.—Jefferson Banner.\nHold-up Occurs\nMiss Sarah Bergiu was relieved of her\nsuit case while walking toward the Junc\ntion Monday evening, the suitcase being\nfound later with its contents intact.\nThe burly fellow who seized it and disap\npeared evidently thought it contained\nmoney. Miss Bergin lives at Richwood\nbut was going to a home near the Junc\ntion where she intended to remain over\nnight.\nWATERTOWN, JEFFERSON COUNTY. WIS„ JANUARY 23. 1914-\nCITY ATTORNEY\nREPORTS SUITS\nStales Outcome ci Boughner and\nLewis Fund Cases at\nCouncil Meeting\nThe following report was given at a\nregular meeting of the city council by\nCity Attorney Gustav Buchheit:\nTo the Common Council of the City of\nWatertown, Wis.\nGentlemen: It is ray duty to report to\nyou at this time the outcome of the two\nof our most important lawsuits, namel>:\nthe one relating to the Fannie P. Lewis\nPark Fund and the case of Helen C.\nBoughner, against the city. The former\ncase involved purely questions of law,\nand Judge Grimm has seen fit to decide\nagainst the contention of the city. In\nthe Boughner case the jury, in Judge\nLueck’s court, rendered a special verdict,\nwhich evidently was based on nothing\nbut sympathy for the plaintiff, who it\nappears is crippled and in destitute cir\ncumstances. I fail to find any evidence\nto establish the alleged fact that the ice\nand snow upon which the plaintiff fell,\nexisted for three weeks prior to the ac\ncident, which under the law must be\naffirmatively shown by the plaintiff be\nfore she can recover. Consequently it is\nmy advice that both of these cases be\ntaken to our supreme court, in justice\nto the taxpayers. Both cses present\nnew questions and the secondary liabil\nity, if there is any, of the Barker Lumber\nand Fuel company can be ascertained in\nno other way, having reference, of course,\nonly to the Boughner case. The additional\ncosts in both these cases, if the city lost\nin the supremo court, would be about\none hundred dollars. Besides the afore\nsaid .castes the cases of Mrs. Schroeder,\nMrs. Polzin and the midnight tresspass\ners may come on for trial next month,\nand in order to provide for the advance\nwitness fees, etc., which may be required\nin such event, and to provide for the\nsupreme court’s clerk fees, in the above\ncases, which I shall appeal, I hereby ask\nyou to appropriate the sum of $75.00.\nRespectfully yours,\nGustav Buchheit,\nCity Attorney.\nStale Feeble Minded Home\nQuito a number of merchants are in\nterested in the fact that the State may\nbuild a home for the feeble minded here,\nnorthwest of the city limits. Such an\ninstitution would mear considerable\ntrade for the merchants as the 600 in\nmates would each have at least two\nout of town visitors during the year\nmaking a total of 1,200 a year.\nEach inmate would perhaps have\nseveral times as many making the\nnumber run up into the thousands.\nThe fifty or more attendants and em\nployees will be a considerable addition\nto the city. But then who would be so\nhard hearted and uuchristianlike as to\nsay he doesn’t want to see such an in\nstitution brought here even if the city\nwere not the gainer?\nPLAN A VISIT TO THE\nSUNNY SOUTH\nWhy suffer the cold, with such winter\nresorts as Florida, Cuba and the Gulf\nCoast within your easy reach? Arrange\nto go south; we will quote you rates, sug\ngest routes and prepare suitable itinera\nries for you. For full particulars apply\nto ticket agents. Chicago and North\nWestern Ry, P. F. Kohler, Ticket Agt.\nTelephone 31-x. 1 16-2 t\nTerwedow Suit Lost.\nThe damage suit of Emil Terwedow\nadministrator for the Estate of Carl Ter\nwedow, against the Milwaukee Road was\nlost when tried before Judge Lueck at\nJuneau recently when the judge ruled\nthat the case was parallel to a similar\none which was taken the Supreme Court\nwhich ruled that a person must stop,\nlook, and listen before crossing tracks.\nMr. Terwedow was struck by a train\nMay 26,1912. The ca=e will be appealed-\nSliehm to Coach U. of W.\nThe University of Wisconsin athletic\nboard last week entered into a three\nyear contract with E. 0. Stiehm, of\nJohnson Creek, as director of athletics\nand coach of the football team at a salary\nof §3,500 per year. This is an increase\nof S9OO over his present salary.—Jeffer\nson Banner,\nHOTEL MARTIN\nMilwaukee’s Newest\nErnst Ciarenbacb lohn J. Sweeney\n. President Manager\nWisconsin Street\n2 Blocks from C & N. W. Depot\nRates SI.OO to $3.00 per day.\n50 outside rooms with private bath’ll.so\n20outside rooms with private toilet 11.25\nTHE DEATH ROLL\nMr. Fred Schoechert died at his home,\n1106 Division street, Monday morning\nafter an illness of four weeks. Mr.\nSchoechert was 76 years of age and was\nborn in Germany, coming here in 1868.\nHe was a man who was highly respected\nand well liked by all who knew him.\nThe surviving relatives are the wife,\nthree brothers, two sisters, two sons aud\nfive daughters. The brothers are Ed\nward Schoechert of this city and Louis\nand William Schoechert of Johuson\nCreek, and the sisters are Mrs. Pauline\nBecker, Nebraska, aud Mrs. Matilda\nSchultz, North Dakota. The sons are\nGottholf, this city, and Otto of Hope,\nIdaho, and his daughters are Mrs. Anna\nSpies of Waterloo, Mrs. Albert Martin of\nMarshall, Mrs. FredjZickert of New Mex\nico, Mrs. Fred Nicholson of the town of\nYork and Mrs. Augusta Burkholz of\nHustisford.\nFuneral services were held Wednesday\nafternoon at 1 o’clock at the late resi\ndence aud at i :30 o’clock at St. Luke’s\nchurch. Interment was in Oak Hill\ncemetery.\nMr. William F. Martch, an old veteran,\nanswered the final call at home 210 Em\nmet street Monday morning. Mr. Martch\nwas born in Prussia, June 23, 1838 and (\ncame here when a boy of 15. He iulisted\nit the Civil War in Cos. A, 3rd Wisconsin\nVolunteir Infantry as sergeant, engag\ning in several battles. He was married\nin 1864 to Margaret Nimm who survives\nhim as does also five children: Mrs. Gus\ntav Martch, Mrs. John Hefty, Addie\nand Della Martch Watertown; William\nP. Martch. Washington D. C. He was\na member of 0. D. Pease Post No. 94 G.\nA. R. He was a man who was liked by\nmany and his death is learned with sor\nrow by his host of friends.\nThe following death notice appeared\nin the Chicago Tribune Saturday morn\ning: “William E. Gallagher, beloved\nhusband of Nellie V., nee Mooney, fond\nfather of George E., Edwin J., Bernice\nA,, and Helen R., uncle of Winifred A.,\nat Mercy hospital. Funeral Monday.\nJanuary 19, at 9 a. m., from residence,\n4157 Berkeley avenue, to Holy Angel s\nchurch, Oakwood boulevard aud Vincen\nnes avenue. Burial private. Lexiug\nton, Kentucky, and Watertown, Wiscon\nsin papers please copy.” The decedent\nwas a son of the late M. J. Gallagher,\nfor many years city assessor of Water\ntown. He left Watertown many years\nago.\nThose from out of town who attended\nthe funeral of Mrs, John Wurtzler Sat\nurday were Miss Clara # Mantz, Mrs.\nCecelia Vaughan, Rockford, III.; Miss\nAnna Mantz, Mr, and Mrs. William Hart\nwig, Fort Atkinson; Miss Margaret\nMantz, Adolph Mantz, Janesville; Mrs.\nTheodore Jax, Mrs. A. Vesper, Miss Edna\nZimmermann, Reinhart Mantz, Miss\nElizabeth Stiehm, Mrs. Ole Olson, John\nson Creek; Mrs. Joseph Wilke and son,\nSouth Milwaukee; Andrew Ziebarth,\nMrs. John Ziebarth, Frank Weisenselle,\nColumbus; Mrs. Joseph Ziebarth. Mor\nrisonville,\nMr. Patrick Condon, and old resident\nof this section of Wisconsin, died Satur\nday afternoon in the family home, 510\nNorth Montgomery street. The infirm\nities of old age was the cause of death.\nSince his removal to this city a few\nyears ago from the town of Emmet, Mr.\nCondon was a familiar figure on the\nstreets, and despite his advanced age,\n90 years, enjoyed good health until re\ncently.\nThe funeral of Mr. Patrick Condon,\nwho died Saturday afternoon, took place\nMonday morning. Services were held\nin St. Bernard’s Catholic church.\nMr. A. J. Roach brother of T. B. Roach\nof this city and formerly of\'XVaterloo\ndied at his heme in Los Angeles, Cal.\nlast week, Mr. Roach who is 62 years of\nage is survived by two daughters, Mrs.\nJoseph O’Laughlin, Waukesha and Mrs.\nClyde Leppo, Los Angles. He was well\nknown in this vicinity and was highly\nesteemed by all.\nThe suicide of Felix G. Dehne of Alba\nny N. Y. has been announced Mr. Dehne\nwho was 30 years of age was the son\nof Frederick Dehne of Hustisford.\nIxonla.\nMr. and Mrs. Frank Koeft of Brown\nStreet were callers at the nurg on Wed\nnesday.\nDan Tlfomas of Bangor is visiting\nrelatives here at present.\nMiss Nellie Tornow, Ocoaomowoe has\nbeen dressmaking here the past week.\nMrs. F. F. Machos visited one day last\nweek with Mrs. 0. H. Wills.\nMrs. Wm. Samuel is ill at her home\nhere, being under the care of Df. Peters\nof Oconomowoc.\nMiss Kathryn Lewis returned home\nThursday after visiting a few weeks with\nrelatives at Oconomowoc.\nAbout forty friends and relatives of\nR. P. Lewis and family and Miss Lizzie\nJones gave them a surprise party. The\nevening was spent in games and music,\nafter which refreshments were served.\nAll present spent a most enjoyable eve\nning.\nMrs. John Gibson of Watertown visit\ned several davs last week with her\nmother, Mrs. Liza Davis.\nWOULD PRESERVE\nTHE SMALL TOWN\nAmerican Fair Trade League Ur\nges Co-operation to Fight\nMail Order Menace\nAsserting that “mail order competition\nis the most serious business issue of the\nday from the consumer’s standpoint,”\naud that “the catalog octopus is in a con\nstantly increasing measure sucking out\nthe life blood of the small towns of the\nnation,” Edmond A Whittier, secretary\ntreasurer of the American Fair Trade\nLeague, today issues a statement calling\nupon consumers, retailers and other in\ndependent business interests to co-oper\nate in a country-wide campaign of edu\ncation. to “apprise the people at large of\na very plain duty.” A great mass of\ndata has already accumulated at the\noffices of the League, purporting to give\nample evidence of the “real economy of\ntrading at home.”\n“Let us not be alarmists on the one\none hand nor cowards on the other/, says\nthe statement in part. “This is not a\nmatter of theory. It is an actual and\nstupendous condition that faces, aud\nthreatens to outface, the small town and\nthe countryside. A recent report of our\nResearch Bureau establishes that the\nmail order houses carry on annually\ntwenty per cent, as much business as\nthat done by the country merchants of\nthe nation. In other words for every\ndollar spent by the rural consuming\npublic, the town or community, or sec\ntion is taxed twenty cejits. It is virtu\nally a tax on the general resources, since\nthe endless chain element is missing.\nNot a cent of .his money comes back to\nthe spender or to any other member of\nthe community, as does a goodly share\nof all the money spent with the local\ndealer. It is aa economic fact that every\nmail order purchase by a citizen marks\na blow at the prosperity of the com\nmunity.”\nOne feature of the League’s education\nal campaign, according to the statement,\nwill be a through presentation of figures\naiming to show that “mail order bargains\nare, in very many cases, such in name\nonly.” On this point, Mr. Whittier says:\n“Aside from the social phase is the con\nstantly increasing evidence that the con\nsumer, in perhaps a majority of cases,\ncan trade at home and actually save\nmoney on the yeai’s purchases.’’\nBEE-KEEPERS\'\nCONVENTION\nWill Be Held At Madison Tuesday\nand Wednesday. February\n3d and 4th.\nWisconsin is recognized as one of the\nleading stales in the Union for the pro\nduction of good honey, with over 12,000\nbee-keepers who have over 100,000 colo\nnies of bees and produce annually over\n1-5,000,000 pounds of honey.\nBee diseases both American and\nEuropean Foul Brood are present in our\nstate to an alarming extent. Another\ndrawback to Wisconsin bee-keeeping is\nthe problem of successful wintering. In\nvestigations show we lose over 10\'4 per\ncent due to poor wintering, and over\nper cent due to spring and windling,-a total\nof 15 per cent in all. Come and hear\nthis problem discussed at the meeting.\nInterest your neighbor in the meeting.\nHave him come with you. The Simons\nhotel will be headquarters for all bee\nkeepers.\nThe question box will be a leading\nfeature, bring your questions and don’t\nforget to be ready with “One Important\nThing You Have Learned in Bee-Keeping\nthe Past Year,” for you will be called on.\nThis meeting will be made as interest\ning as possible. Prizes will be offered\nfor the best papers as follows; first, |5;\nsecond, |3; third, 12, and fourth, |l.\nThis promises to be one of the best\nmeetings we have had in years and a\nlarge and enthusiastic attendance is ex\npected.\nWorms the Cause of Your Child\'s\n" Pains\nA foul, disagreeable breath, dark cir\noles around the eyes, at times feverish,\nwith great thirst; cheeks flushed and\nthen pale, abdomen swollen with sharp\ncramping pains are all indications of\nworms. Don’t let your child suffer—\nKICKAPOOWORM KILLER will give\nsure relief—lt kills the worms—while\nits laxative effect add greatly to the\nhealth of your child by removing the\ndangerous and disagreeable effect of\nworms and parasites from the system.\nKICKAPOO WORM KILLER as a health\nproducer should be in every household.\nPerfectly safe. Buy a box today. Price,\n25c. All Druggists or by mail. KICKA\nPOO INDIAN MED. CO. PHILA. or ST.\nLOUIS.\nSells Meat Market\nThe meat market business at 621 Main\nstreet which was conducted by Theodore\nGoetsch the past nine years has been sold\nby Mr. Goetsch to his brother-in-law, W.\nA. Nack, who has been connected with\nthe market for the past three years. The\nmany friends of Mr. Nack wish him suc\ncess in this enterprise.\nTHE LEADER\npublished on Friday and goes out on the\nRural Routes Saturday morning. Subscrip\ntion 11.50 per annum. TRY IT.\nVOLUME LIV. NUMBER 24\nKUENZLI WINS\nIMPORTANT CASE\nThe Decision Effects Hundreds of\nOffice Holders Through\nout the State\nAttorney Otto Kuenzli won an impor\ntant case at the circuit court at Madison\nbefore Judge K. R. Stevens. Mr. Kuenzli\ndefending Ben Marcus in the case, State\nof Wisconsin ex rel Hrank Postal vs. Ben\nMarcus.\nThe decision effects hundreds of office\nholders in the state who have not taken\nout their second citizenship papers. Mr.\nPosiel endeavored to oust Mr. Marcus\nfrom the office of trustee of the village\nof Muscoda according to an amendment\nof the constitution which took effect\nDecember 1, 1912, since Mr. Marcus had\nnever taken out his second papers. His\ntenure of office up to December 1, 1912\nwas perfectly legal, the question arising\nafter that time. By clever reasoning\nMr. Kuenzli showed the court that his\ntenure of office is legal and that In*\nshould not bo ousted from office on ac\ncount of the constitutional amendment.\nThe outcome of the case was watched\nwith interest by office holders all over\nthe state who have not taken out their\nsecond papers. Mr. Kuenzli presented\na lengthy defense which was practically\nentirely accepted by the judge, whose\nopinion was given in last Saturday’s\nState Journal and occupied over a\ncolumn.\nSocial Doings\nMr, and Mrs. Frank Kreiziger enter\ntained the railway mail clerk;; at their\nhome, 214 Cole street, Saturday evening.\nThose present were Messrs.and Mesdames\nGeorge Henke, Lyman Rhodes, Charles\nBruegger, William Collins, Then. Sick,\nGilbert Kiefer, William Christison, Ed\nward Guso. Frank Schwarz; Mrs. Kuos\nter; Messrs. EdwardSipp, Edgar Kuester,\nJoseph A. Scheiber, W alter 11. Scheiber,\nLawrence F. Scheiber; Misses Ella Sipp,\nCora Kuester, Gertrude Kuester. Ella\nSchliewe, Gertrude M. Scheiber, Berna\ndetta M.Scheiber, Sidonia Guse. Lunch\neon and progressive cinch were included\nin the evening’s entertainment.\nA pretty wedding took p\'acy at Jeffei\nson at the parsonage of Rev. H. Moussa\nlast week Thursday where Miss Mary\nBeunin was united in the holy bonds of\nwedlock to Mr. Fred Otto of this city.\nThey were attended byMissLouisePoefke\nand Mr. Walter Otto both of Watertown.\nA reception was tendered the couple at\nth\'j hofne of the brides brother-in-law\nand sister Mr. and Mrs. Henry 0. Kevins.\nThe couple of who have the well wishes\nof their many friends will reside in Mil\nwaukee.\nA marriage of interest took place in\nChicago Saturday, January 17, when\nMiss Mamie Granseo became the bride of\nMr. K. C. Krueger, at the parsonage of\nthe Precious Blood church. The bride is\nthe only daughter of Mr. and Mrs. Henry\nGransee of Chicago formerly of this city.\nThe young couple will reside in Chicago.\nThe dance given by the K.ofC. last\nMonday evening was a most successful\nand delightful affair. Wheeler’s orches\ntra of Watertown furnished the music\nand all report a fine time.—Columbus\nRepublican\nThe Saturday club program Tuesday\nincluded “The Peace Movement,” by Mrs.\nFrank; ‘ Modern Benevolence,” by Miss\nUngers; “Social Service,” by Miss Hertel.\nThe Corby club program Monday night\nincluded a book review —• “By What\nAuthority,” Very Rev. Robert H. Benson\n—Miss Moran,and a reading,“American\nism,’ Archbishop Ireland —Miss Link.\nA dancing party will be given at Ohm’s\nhall, Pipersville, next Saturday evening,\nJanuary 24. The Imperial orchestra\nwill play and the public is invited.\nDr. and Mrs. John S. Kings were host\nand hostess at a six o’clock dinner given\nat their home in N. Washington street\nMonday evening. Covers were laid for\ntwelve.\nMrs. R. W. Lueck entertained a few\nfriends at her home in Washington St.\nThursday afternoon.\nNotice\nHaving disposed of my meat market i\nhereby request all those indebted to me\nfor meats to settle accounts before Feb\nruary 1, 1914. All bills against me\nshould also be presented before that date.\n21-2 t Theodore Goetsch.\nBuys Lumber Yard\nThe Barker Lumber company of this\ncity have purchased the lumber yard of\nE. Marlow & Son at Ixonia and have\nbeen given possession. A manager will\nbe placed in charge of the plants.\nWho is selling furniture cheap? The\nCentral Trading Cos.\nChildren Cry\nFOR FLETCHER’S\nCASTO R I A', 'batch': 'whi_elizabeth_ver01', 'title_normal': 'watertown weekly leader.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn85040721/1914-01-23/ed-1/seq-1.json', 'place': ['Wisconsin--Dodge--Watertown', 'Wisconsin--Jefferson--Watertown'], 'page': ''}, {'sequence': 1, 'county': ['La Crosse'], 'edition': None, 'frequency': 'Weekly', 'id': '/lccn/sn86086186/1914-01-23/ed-1/seq-1/', 'subject': ['La Crosse (Wis.)--Newspapers.', 'Wisconsin--La Crosse.--fast--(OCoLC)fst01207161'], 'city': ['La Crosse'], 'date': '19140123', 'title': 'Nord stern. [volume]', 'end_year': 1921, 'note': ['Archived issues are available in digital format from the Library of Congress Chronicling America online collection.', 'Available on microfilm from The State Historical Society of Wisconsin.', 'Description based on: Jahrg. 1, no. 2 (6 Dec. 1856).', 'In German with some columns in English.', 'Supplements accompany some issues.'], 'state': ['Wisconsin'], 'section_label': '', 'type': 'page', 'place_of_publication': 'La Crosse, Wis.', 'start_year': 1856, 'edition_label': '', 'ocr_ger': 'Der „N ordstcrn" ist\ndie einzige repräsentative\ndeutsche Zeitung von 2a\nLrosse\nö 7. Icitirqariq.\nGolil>ciic>l Mcnlcrci\nSieben Personen bei einen: Aus\nbruchsversuch in Mtzla\nlromcl erschossen.\nMcAlestcr, Lkla, 20. Jan.\nSieben Personen wurden erschossen\nund drei durch Schüsse verleyr, als\nMoulag Abend drei Sträflinge aus\ndem Slaarsgesänginß >u McAlestcr,\nQkla., zu entfliehen versuchten und da\nbei von Warlecn niedergestreckt wurden,\numer den Opier befindet sich John\nR. Thomas von Muskego, ehemals\nBundes-Disttlklsrichier und einmal\nRepräsentant des Staates Illinois.\nTrotz der riesigen \'Aujregung, die umer\nden übrigen 1,500 Insassen entstand,\nmachte keiner einen Fluchtversuch, ob\nglieck viele von ihnen die dreiDefperadoS\ndurch Zurufe anfeuerten.\nTleTodtem: John R. Thomas,\nMuskego. eheii\'.aliger Bundes-Tistrikls\nnchler; H. H. Drover. Superintendent\nder Beriillo - Abtheilung; Patrick\nOales. Httss-Oberwarter; F. C Go\ndercy, Wärter; Choia Reed, Sträfling;\nThom. Laue, Sirüfling; Cyas. Koontz,\nSträfling. Die Verletzten: I.\nMari!. Thürichließer; C. L. Wood.\nWaiier; Mary Foster, Telephonistin.\nTie drei Sträflinge hatten alle sich\nihnen in den Weg stellenden Personen\nso schnell uiedergefcho-eit, daß die\nWäller gar nicht zur Besinnung kamen,\nbis die T:ei in\'s Freie gelang! Ware.\nDie drei \'Ausreißer hatten dem Tbü!\nschlicßer Joyn M ott den Tdarichlüs\nsel entrisse, nachdem sie ihn selbst ver\nwunsel hallen. Dann rissen sie die\nTelephonistin Mary Foster m t sich in\nden Hos und benutzten das Mädchen\nals Deckung gegen die Schüsse der\nWärter, bis sie von einer Kugel in s\nBei getroffen niedersank.\nSobald die drei Sträflinge außen\nangelangt waren, fuhren sie aus dem\nBnqgy des Wärters Dick fort, wurden\njedoch bald von anderen Wärtern, die\nzu Pferde wa en. durch einen wahren\nKugelregen todt niedergestreckt. Wie die\ndrei Sträflinge, die in der Schneider\nwerkstatt arbeiteten, die Revolver be\nkommen haben, konnte noch nicht fest\ngestellt werden.\nUntersuchung in Colorado.\nDenver, Colo.. 22. Jan.\nGouverneur E. M. Ammons von\nColorado versprach am Mittwoch, ,ine\ngründliche llnleriuchnng der To u nenie\nanstellen zu wollen, die ihm von d r\nvon der Federation of Labor des Sl, a\ntes a s seinem Wunsch ernannten Emn\nmission gestern zugestellt n urden. De.\nGouverneur will sich erst vergewissern,\nob die von der Commission erhobenen\näußerst schwerwiegenden Beschuldi\ngungen auch aus Wahrheit beruhen, be\nvor er andere Maßnahme trifft.\nDie Commission erhebt schwere An\nklagen gegen die Miliz; verlangt die\nAdbernsung des Generaladjuianien\nChase und anderer Oificiere der Na\ntionalgarde, die Entlassung aller Mc\nlizsoldaie und Emfernuiig der Gru\nbenwächier und Privatdetektivs u. s. w.\nEine Pockenepidemie.\nNiagara Falls, N. A, 22. Jan.\nNach einer Ankündigung der städti\nschen Gesnndheilsdehörde in Niagara\nFalls, N. N-, sind dort in der letzten\nZeit nicht weniger als hundertundzwei\nFalle von Pocke amtlich gemeldet wor\nden. Die Siadtbehörde trifft deshalb\nAnstalten, die Abhaltung von Ver\nsammlungen zu verbieten und alle Ver\nsammlungslokale zu schließen.\nUnterseeboot gefunden.\nPlymouth, England. 22. Jan.\nDa dis jetzt alle Nachforschungen nach\ndem vorige Woche mit elf Mann an\nBord unweit Pchmouth gesunkene >\nbritischen Unterseeboot „A 7" vergeb\nlich geblieben waren, hatte die Admira\nlität eine Anzahl ihrer\'Hydroaecoplänc\nmil der systematischen Absuchung der\nWhiiesand Bay. wo das Unglück sich\nzulrug beausiragt.\nIm Laufe des Tages gelang es. die\nLage des gesunkenen Fahrzeugs in ei\nner Tiefe von zweihundert Fuß festzu\nstellen.\nStrlithcona gestorben.\nLondon, 21. Jan.\nLord Stralhcona and Mount Royrl,\nOberkomiNlffär des Dominium Ca\nnada. ist am Mittwoch in der zweiten\nMorgenstunde in London im Atter von\nnahezu 94 Jahren gestorben. Canada\nHai dem Verstorbenen zum großen\nTheil seinen wunderbaren Ausschrrung\nin den letzten Jahrzehnten zu verdan\nken.\nIM" Plant eine Reise nach dem\nsonnigen Lüden.\nWarum unter der Kälte leiden, wenn\nsolche Winier-Reiorls wie Florida.\nCuba und die Golf Küste in Ihrem be\nauemen Bereich liegen? Arrangiren\nSie eine Reise nach dem Süden: wir\nwerden Ihnen Raten auvnrrn. Noucen\nvorschlagen und ene vav nde Tour\nxreporcren. Für volle Einzelheiten\nsvrecbl bei Tick,:-Agenten der Chicago\nund Nonhwestern-Bahn vor.—Anz.\nl Heraukqrgedru von der /\n- Nordstern Bnoeiattou. Lr EroNe. Wi. t\nI Fort Bliß.\n5000 inorikcinischc Soldaten,\nFrauen und Kinder sind jetzt\nKriegsgefangene.\nEl P-rso, Ter.. 21. Jan.\nUnter der Obhut amerikanischer Bun\ndeskavalleiie wurden die 3300 mexika\nnischen Soldaien sammt ihren 163!\nFrauen und Kindern, die nach der\nSchlacht bei Ojinaga, Mex . gezwungen\nwaren. Zuflucht auf amerikanischem\nBoden zu suche, in Fort Bliß, Tex.,\ninleriiilt, wo sie aus unbestimmte Zeit\nals Knegsgesange gehalten werden.\nGeneral Salvador ist noch immer Be\nfehlshaber seiner Truppm. doch uiiler\nstehl er dem Oberde eh. Brigadegeneral\nHugh L. Scott von der amerikanischen\nBundesarmee. Dem merikai ftclien Ge\nneral wurde seine Würde hauptsächlich\naus dem Grunde belassen, damit das\nZeltlager schnell orgamsirt und leichter\nin Ordnung gehalten werden kann.\nGen. Mercado. sowie auch die übrigen\nüber die Grenze geflohenen mexikani\nschen Generale C.slro. Römer und\nAdana gaben ihrer warmen Anerken\nnung über diese Vergünstigung Aus\ndruck\nBald nachdem die Flüchüinge die\nZüge verlassen hatten uns in dem um\nzäunten Lager uiuergebrachl waren,\nbrannten auch schon die Lagerfeuer, und\ndie erste Mahlzeit der hnirgrigen Mexi\nkaner in Fort Bliß brodelte in den Kes\nseln. Wie lange die mexikanischen Sol\ndaten und sonstigen Flüchtlinge von\nOnkel Sam beköstig! und bekleidet wer\nden. ist noch nicht bekannt.\nHandelsverträge.\nBerlin, 21. Jan.\nStaatssekretär des ReichsamlS des\nInnern Dr. Delbrück kündigle am\nDienstag im Reichstag an. daß die\nRegierung sich entschlossen habe, an\nden bestehenden Handelsverlrägen scst\nzuhallen, die süinmttich im Jahre 1917\nrevidlN bezw. gekündigt werden kön\nnen. Die Regierung, sagte er, werde\nweder eine neue Tarifvvrlage einrei\nchen, noch die bestehenden Verträge\nkündigen. Die Initiative müsse daher\nvom Ausland erc r ffen werden, widri\ngcnf\'.lls die Verträge au ho naüsch er\nneuert werden.\nÄnichernend hat die Regierung eine\nRevision der Handelsverträge ausgege\nben, weil sie einen gewaltigen Kampf\nzwischen de Befürwortern eines klaren\nund lückenlosen Tarifs und den Resor\nmaioren, die gegen die hohen Einfuhr\nzölle auf Lebensmittel eifern, befürchici.\n„Horchn" fahrt heim.\nVera Cruz, Mex., 22. Jan.\nTer deutsche Gesandte. \'Admiral von\nHintze, und Präsident\' Wilsons persön\nlicher Vertreter John Lind waren am\nMittwoch Gaste des Eommciiidancen\ndes deut>chen Kreuzers Hertha, welcher\nnach Deutschland abfahrt. Die Hertha\nist von der Dresden abgelöst worden.\nAl\'M\' Ll (\'Mkilliiis!t\'.\nIm Kcriser-WÜHelmslcmd ist eine\nneue Tropfsteinhöhle entdeckt worden,\ndie durch ihre ungeheueren Timcnsio\nnen besonderes Interesse erregt. Sie\nstellt eine riesige gewölbte Halle dar,\ndie die Form einer ungeheueren Kircke\nhat. In ihre: höchsten Höhe ist sie\n162 Meter hoch. Von der Ausdeh\nnung der neugefundenen Tropfstein\nhöhle kann man sich ferner einen Be\ngriff machen, wenn man hört, daß sie\n1400 Meter lang ist. Tie Akustik\nder Tropfsteinhöhle ist vorzüglich,\ndenn jedes Wort, das darin gespro\nchen wird, soll einen brausenden\nKlang haben. Den Eingeborenen des\nLandes muß die Höhle, die auf dem\nrechten Mer des Baches Jukan gei\ngen ist, seit vielen Jahrhunderten be\nkannt sein. Dies geht aus Gerät\nschaften, Warfen und allerlei anderen\nGebrauchs .\'gensländen hervor, die\nzum Teil ictwn durch ihre Form und\nArt daraus hinweisen, daß sie vor vie\nle! hundert Fahren im Gebrauch wi\nrkn. Tiete Gegenstände haben ein\ngroßes völkerkundliches Interesse. Es\nwurden aber darin auch Gebrauch-ge\ngenstände und Waffen aus der neue\nsten Zeit gesunden, und es erweckt den\nAnschein, als ob die Tropfsteinhöhle\nvon den Eingeborenen als eine Art\nvon Kriegskammer benutzt worden\nwäre. Durch ihre recht versteckte\nLage erscheint sie dazu besonders ge\neignet. Ter Eingang der Höhle ist\nverhältnismäßig sehr klein und von\ndickstem Buschwerk bedeckt. An viele!:\nStellen der Decke fäll; Sonnenlicht\nin die Höb\'e. und es bat den \'Anschein,\nals ob die Lichtösfnnngen von Men\nschenhänden gemacht oder erweitert\nworden wären.\nzM" Hür Frostbeulen und aufge\nsprnngene Haut.\nFür erfrorene Ohren. Finger und\nZehen, aufgesprungene Hände und\nLippen. Frostbeulen. HautauSbrüche,\nroihe ,nd rauhe Haut gibt ei nichts\nbesseres wie Bucklen Arnica Salbe.\nDas beste Mittel sur alle Hau!-i rank\nheiien. juckendes Eccenia, Pi.es eic. 25c.\nBei allen Avolh\'kcrn oder per ck st.\nH. T. Bucklen dc Co . Philaderph a oder\nSt. Louis. -An;.\nPräsident Wilson s Trnftdotschnft.\nverbot ineinanX\'rgreifcndcr AufsichtSbebÖrden. der\nder Zwischenstaatlichen Verkehrs (Lomnuision. Genauere IX\'sinition\nnon „Beschränkung des Handels\'. Schaffung einer\nZwischenstaatlichen Industrie Kommission. t?er\nbot sogenannter „Holding Companies".\nWashington. D C., 21. Fan.\nIn der dazu anberaumten gemein\nschaftlichen Sitzung beider Häuser des\nCongreffeS verlas Präsident Wilson\nam Dienslag seine angekündigte Son\nderbolschasl. in der er das Programm\nder demokratischen Adininlstraiion be\nzüglich der Trustpolilik entwickelte. Ter\nPräsident erklärt, diese Problem „de\nschäitige jetzt das Bolk" und Iviedeiholie\nseine frühere Erklärung, daß „private\nMonopole nicht zu rechtfertigen und\nunerlräglich" seien. Tie gewissenhaf\nten Geschäftsleute des Lande, sagt er.\nwerden nicht ruhen, ehe den jetzt als\nBeschränkung des Handels verrufene\nGeschästsmelhoden gesteuert sei.\nEs handle sich jetzt darum, dem Pro\ngramm des Friedens einen weitere\n\'Artikel einorsuge, des Friedens, der\ngletchbedruieno sei mit Ehre, Freiheit\nund Wohlstand.\nG-oßeii W-rih legt der Präsident in\nseiner Botschaft daraus, daß alles in\nfriedlichem Zusammenwirken vor sich\ngehen iolle.\nTie Zeit des Kampfes zwischen der\nGeschäftswelt und der Regierung, er\nklärt er, sei vorüber, und es solle jetzt\ndas gesunde geschäftliche Urtheil zum\nWorte kommen; Geschäftswelt und\nRegierung seien beide bereit, sich aus\nhalbem Wege entgegenzukommen, um\ndie geschäftlichen Methoden mit der\nöffentlichen Meinung und den Gesetzen\nin Einklang zu bringen.\nSieben Hauptpunkte.\nTie Grundlage der von ihm beab\nsichtiglen Gesetzgebung legt der Prä ff\nsidenr in folgenden Hauptpunkten fest.\nI. Verbot ineinandergreifender Aui\nsichtsräihe großer Corporalionen\nBanken. Bahnen, inoustrielle. geschäft\nliche oder öffenckiche Betn-bsgesellschas\nten.\n2. Befugniß der Zwischenstaatlichen\nBerk.hrSkviilutijsiou. die Finanzen der\nBahnen, namentlich ihre Werthpapier-\nEmissionen zu beaussichligen; letzteren\nsollen die Quellen ichl verschlossen\nwerden, sich die Mittel zum angenieste\nnen Ausbau der Transporlgelegenhei\nten zu beschaffen denn das Wohldes\nLandes und das der Bahnen sind in\ndieser Hinsicht eng verbunden.\n3. Genaue Definition der „Beschrän\nkung des Handels" als Ergänzung zum\nSherman-Gesetz.\n4. Schaffung einer Commission, di\neinerseits den Gerichten an die Hand\ngehen, andererseits als eine Art\nClearinghouse durch Auskünfte der\nGeschäftswelt behilflich sein soll, sich\nden Gesetzen anzupassen.\n5. Verbot sog. „Holding Compa\nnies"; ferner soll versucht werden, die\nfinanzielle Betheiligung Einzelner an\neiner Reihe von Corporalionen zu be\nschränken\n6. Persönliche Bestrafung der Ein\nzelpersonen. die für gesetzwidrige Me\nthoden veranlworUich sind.\n7. Einzelpersonen sollen das Recht\nhabe, bei Lchadenersatzprozessen gegen\nCorporalionen sich aus etwaige Ent\nscheidungen und Beuelsma\'ericck aus\nRegierungSprozesikn zu stützen, ohne\ngezivungen zu sein, von sich aus die\nLast des Beweises zu tragen.\nDes Präsidenten Ausfüh\nrungen.\nIn seiner Ansprache an den Congreß\nerklärt der Präsident d-esenr. er hatte\njetzt den Augenblick für geeignet, das\näußerst schwierige und verwickette Pi o\nblem der Trusts und Monopole anzu\nfassen, das er schon in seiner Jahres\nbotschasl tin Dezember angedeutet habe.\nTie Finanzvorlage, die bisher das In\nteresse in Anspruch genommen, sei jetzt\nerledigt, und noch mehr, die öffentliche\nMeinung über das Trust- und Mono\npolproblem beginne sich sehr rasch zu\nkläre. AngesichiS der Monopole, die\nsich allerorleii vervielfacht haben, und\nangesichls der verschiedenen Methoden,\n>v;e jie geschaffen und auickechl erhallen\nwerden, scheine sich doch allmählich fast\nüberall eine Einsicht gellend zu machen,\ndie für die Pläne der Regierung einen\ngulen Bode abgebe, und es ermögliche,\nmil Verlrauung und ohne Verwirrung\nvorzugehen.\nGesetzgebung, sagte der Präsident.\nHai ihre eigene Aimv\'phare, wce alles\nandere, aus zu der Aimosphäre des\nwechselseitigen Entgegenkommens und\nVergehens, in der das omenkannch\nVolk jetzt lebt, kann man sich nur be\nglückwünschen. Tic e sollte unseie\nAufgabe viel weniger schwieriger mc>-\nchen. als wenn die Regierung mil der\nAtmosvhäre des Argwohns und des\nWiderspruchs zu rechnen hätte, d:e so\nlange es unmöglich gemacht Hai. solche\nFragen in leidenichasilichrr Gerechtig\nkeit in Angriff zu > eh-\'en. Alle er\nfolgreiche ccnstrukllve Gesetzgebung ver\nkörpert immer eine gereifte und über\nzeugende Erfahrung. Gesetzgebung\nmernr Auslegung, nicht Schep\'urg.\nund es liegt klar vor uns, in welchem\nSinne wir uns an die vorliegende\nF,age machen werden: unsere Meinung\nüber dcesc.be ist nicht eine spontane\n!k>a Crosie. WiS.. Freitag, den st\'Z. luimar I\'.\'l I.\nübereilte, sie entspringt vielmehr der\nErfahrung einer ganze Generation,\nsie hat sich allmählich zeklän und dic\nfenlgen. die sich lange gegen dieselbe\ngesträubt und derselben eniqegengeai\nveilet haben, geben nun auiuchug „ach\nund suche ihre Geschäfte mo derselben\ni Einklang zu bringen.\nUmschwung der Auffassung.\nTie großen Geschäftsleute, die Mo\nnopole organisinen und thaliachuch Tag\nfür Tag ausübten, haben dis ,eyr stets\nentweder deren Vorhandenst. geleug\nnet. oder dieselben als unumgänglich\nnöthig für die Entwicklung des Ge\nschäfts, der Finanzen und der Fndusttie\ndargestellt: indeß bat sich die öffenckiche\nMeinung mehr und mehr gegen sie ge\nnchlel, der durchschnittliche Geichätts\nmann Hai eingesehen, daß Freiheit imi\nFriede und Erfolg gleichvedeuiend >,t.\nund tchliefiltch haben wenigstens die\nMeister des Geschäfts großen Lu;:.\' be\ngonnen einzulenken.\nWir beabsichtigen glücklicherweise nickt\ndas Geschäft, dos in crusgeki:\'. \'Weise\ngeführt ist. zu behindern oder zu störe,\nder Kamps zwischen Regierung und\nGeschäft ist vorüber, und wir schicken\nuns jetzt an. dem gcschäitlichei. Gewissen\nund der geschäftlichen Ehre der Landes\nden denkbar besten geschäftlichen Rath\nzu geben, Regierung und Geichastsweli\nkommen einander auf halbem Wege eul\ngegen, um die GeschaslSmeih.d-n „nt\nder öffentlichen Meinung uns den Ge\nsetzen in Einklang zu bringen. Grr -de\ndie besten Geschäftsleute verunheireu\ndie monopolistischen Geschästsmelhoden\nund deren Wirkungen, und instinkttv\nschließt sich dieser Ueberzeugung die\ngroße Menge der Geschäftsleute mi\nganzen Lande an. Wir treten als ihr\nSprecher aus. u. darin ist unsere Slärle\nuno unser Glaube an das, was wir jetzt\nzu erreichen wünschen. Wenn der ernste\nKamps vorüber, wenn die Ansichien\nausgeglichen sind, wenn Diejenigen, die\nlhic Geschäf.snielhvden andern müssen,\nBch nt denen vereinige, die diese Aen\nderungen verlangen, dann wird es\nmöglich sein, die in einer Weise durch\nzuführen. die so wenig als möglich Um\nwälzungen verlang!, und so leicht als\nmöglich; es scll nichls \'Wesentliches ge\nstört, nichts mit der Wurzel ousgerip\nsen, keine zusammengehörenden Theil\ngetrennt werden, denn glücklicherweise\nsind in der That gar lerne drastische\noder neuartigen Maßregeln nöthig.\nBekämpfung des Mono-\nUnsere Ueberzeugung ist, sagte der\nPiästdeni, daß Monopole unenlschuld\nbar und unerlräglich sind, und duiaus\nstützt sich un>-r Programm, das um\nsassend, aber weder radikal noch unan\nncymbar ist, u>d die Aenderungen, die\nvorgeschlagen werden, find solche, au,\nwelche die Äeschäsiswel! bercils ivariei.\nDieselbe wann in erster Linie aus Ge\nsetze. die meinandergreckci.de Aussicht\nraihsbehörderi wirtlich verbietet, sur\nalle große Corporalionen, bei denen\nsich der unnatürliche Zustand heraus\ngebildet hat. daß vielfach Die, die bor\ngen, und Die. die lechen, der Raufer\nund der Verkäufer lhaiiachlich dieselbe\nPersonen sind, indem enr und dieselben\nPersonen unter verschiedenen Finnen\nund in verschiedenen Combinaiionen\nherüber und hinüber Geschäfte neiden:\ndaß ferner Diejenigen, d e vorgeben, zu\nronknrnren, thatsächlich da ganze Feld\ncontrosiiren. Selbsiv.-.llanditch ist bei\nder \'.Auslösung dieses röstenis genü\ngend Zeit zu lassem laß dieselbe sich\nohne Verluste und ohne Verwirrung\nvollzieht.\nUnnatürliches Verhältniß.\nEin derariiges Verbot ineinander\ngreifender Direktoren: cbörden r arde\nverschiedene ernstliche lo clstande veici\nligen. bkckpiclsweise det- daß die Lener\nder großen Finanzim: nilc auf dicse\nWeife vielfach die Pico iilnehmen, w?\nvon rechlSwegen der un hängigen In\ndustrie zukommen: es rd ein neuer\nGeilt und neues Leben neue Männer,\nin die Leitung der gr r> industriellen\nUnternehmungen komv v \'dem sich Vi\nelen, die jetzt dienen n .wo sie an\nleitender Stelle lei \' Ten. eine Zu\nkunft eröffnen, die : lunge LOuie\nder Industrie zutühren w:rd.\nGenaue Teiln:! n nöthig.\nFerner erwarte d - d m Span\nnung eine genaue ju, che Definition\nder Auslegung der Am .rustgctetze, die\ndis jetzt noch fehle. - äns sei nn Ge\nschaslsleben hinderlick als Ungewiß\nheit. nichts enlmuib der als die\nNothwendigkeit, das b \'o zu tragen,\ngegen das Gesetz zu wßen. solange\n! dielcs noch nicht ev ig klargestellt\noft. Nachdem man durch Ersch-\nFuug genug mit i Neihoden der\nj Monopole bekannr. vollends n-chi\noaehr \'ckwer. di- Uv beit zu besei\n! ngen. indem man man iestletz-,\nwas p.gen das GeO d damil slras-\n.st.\nDie Industriek o m m i s s i o .\nDie Kesäiäslswell brauche aber nichi\nnur klare Gesetze und Strafbestimmun\ngen. sie brauche auch Rath und \'Aus\nkunft, was sie am besten von einer Bun\ndes Fttduttriekomniission bekomme\nivnine. deren Schaffung im ganzen\nLande ohne weitere mit Freude be\ngrüßt würde: \'Ausgabe dieser Commis\nsion wäre >s nicht, nt den Monopolen\nBedingungen zu vereinbaren oder durch\nUebernahme der Controlle der Regie\nrung gewissermaßen die Vercimivorlung\niitt deren Geschäfte auszuladen, vielmehr\nsollte sie nur als berathende Stelle eine\nArl Cleap\'nghvuse bilden, zum besten\nder ösfenii\'cüeu Meinung und der gro\nßen Unieiiiehiiiuiigkn,- sie könnte den\nFiilerc sjen dieser Unterchmungen ge\nrecht werde in Fällen, wo die Geringe\nversage,\nPersönlich e V e r a lwvl l I i ch°\nleit.\nWeitsichtige Geschäftsleute werden eS\nmit Genugiyuuiig begrüßen, wenn wtt\ndie Frage der Veraittwonlichke!\'. l der\nWeife regeln, daß >m Falle nöthiger\nBestrafung sich dieielbc nicht gegen die\nCorporattv als zolche. sonder gegen\ndiejenigen Personen, die im bestlimnie\nFalle tur die gesetzwidrigen Handlungen\nveranlwortlich sind richten; es sollte das\nZiel der Gesetzgebung sein, diese ver\nantwortlichen Personen, die sich m je\ndem Falle Nachwelten lassen, und das\nGeschäft, nur dem sic Mltzvrauch treldi n.\njuristisch streng getrennt zu hatten, und\nBeamte und Direktoren daran zu hin\ndern. daß sie durch gesetzwidrige Ge\nschasiswelhoden ihren Ruf und den der\nGetchüflSivett des Landes auf\'s Spiel\nseyen.\nDie „Holding Companies".\nIn der gegenwärtigen Zeit der Rir\nsenvermogc yängen ver>chiedene ge\nschäftliche Unternehmuiige auch ohne\nlneinaiivergreifende Dtteklvceiibehvrdeu\nvielfach dadurch zusammen, daß der\ngrvgere Auihrtt iy,er \'Aktien i einer\neinzigen Hund, oder in Handen einer\nGruppe von Einzelpcrsriien vereinigt\nist. Cs herrscht kein Zweifel, daß die\nftg, kigeittlichen „Holding Companies"\nverboie werden lollleu; daun kommt\nnoch die Frage, oö cs euizciuen Perso\nnen gestartet reu soll, diest-tbr Rolle, wie\ndie genauine Ost ~ i, chaficn zu spielen ?\n2l stch veavjichrig: vie Regierung ge\nwiß mchl, irgend zu verbieten,\nBch soviel Ltttten zu :„uten, als ihm seme\nVeihailnijte gettalicn; ur biesrm Falle sei\njedoch d,e Frage zu erwägen, ov nickst ein\nGejetz zu rchafseu iv.rre, ach dein Aktio\nnäre, die I verschiedenen Getelifchasien.\ndie an sich unabhängig voneinander sei\nfrUeu, tonirvUirende Einfluß haben,\nduß ihnen aus Griiud ihrer Aknen zu\nstehende Sttmilectst nur in erner von\ndiesen Gesellschasien ausüben dürfen,\nwobei ihnen die Wahl der Gesellschaft\nselbstverständlich übr-nassen bliebe.\nRecht aus Entschädigung.\nEin weiterer Punkt, der ernstliche\nErwägung erfordert, ist der der Ent\nschädigung solcher Geichäsisleule, d,e\ndurch große (Korporationen in ihren\nGeschäften geschädigt worden, oder gar\na die Wand gedruckt morden sind.\nDiesen sollte das Recto zustehen, bei\nErsatzklagen sich aus das Beweismaie\nruck und die Eniicheidunge etwaiger\nRegierungsprozksie gegen die betreffende\nCorporation zu stützen, wenn dieie schul\ndig beiunden wurde, und die Verjäh\nrungsfrist in solchen Fä en soll erst vom\nTage der llnheckssprechung > dem be>\ntreffenden Regierungsprozeß an berech\nnet werden. Es ist ungerecht.. wie es\nbis jetzt geschieht, in solchen Fallen die\nganze Bewkilast dem individuellen Klä\nger auizuladeir. der unmöglich Erhe\nbungen in dem Umfange anstellen kann,\nwie vie Regierung.\nEin ernster \'Appel l.\n„Ich habe." schlvsi der Präsident\nseine Boiichasl. .! tzi den Fall Ihnen\nvorgelegt. w:e er ruäi in den Aua>> des\nj Volkes, und, wie ich hosse. auch \' i den\nIhrigen darstclll. Ich habe Ihnen\nnieine Vorschlage gemacht, Sie aus Ihre\nP \':cht dem Volke gegenüber hingeivi\'\nien . es sind keine neuen Fragen, um die\nes sich bandelt, und sie iiiupen jetzt in\nAngrisl genommen weiden, wenn wir\nuntere Ge\'etze mil den Ansichten und\nden Wünschen des Lander ur Emkcang\nbringen wollen Solange die von nur\nangrdeuieien Resormen nicht dnrchge\nsuhrl sind, kan sich der rechtlich den\nkende Geschäftsmann nicht zufrieden ge\nben, in dein wir in dreien Fragen unse\nren gegebenen Becaiher zu sehen haben.\nWir wollen Htzi unserer Vertagung\nde Friedens, der Ehre, de- Freiheit\nund des Wohlstand, einen neuen Ar\nlckel anfügen."\nO *\nMo gespannter Ausmerüamkeit böi\ni\'n die Senatoren und lbproseniantrn\na\' ; -s Wo:!, welches de: P\'- :?nt\nspi! \' nd brachen ,immer \' leb\nhaften \'Applaus auS. nenn Piasioent\n\' Ent*r*d in the Palt Office In >\n\' laCrwsp. Wii., nt üecomi nt**n. ?\nRütli ;r Pcriliuisk.\nDusl erklärt die ktasterschiiüffeleien\ngewisser Zeserniaiore für\nfilleiigesäl\'rdend.\nPhiladelphia. Pa.. 22. Jan.\nErpräsideiil Tasi tadelte ani Mitt\nwoch Abend in einer gelegentlich der\nAbbilußprüsung einer Ipesigen Han\ndelsschule in sarkastischer Wecke die Re\nform beslrebungen gewisser Leuie. deren\nZiel angeblich die Erreichung einer rei\nneren Ten vkraiie nd grcherer socialer\nund individueller Freiheit ist. Herr\nTust annie diese Lerne Demagoge\nund unpraktische Schwärmer. Er grd\nzu. daß etliche Resorinbewegungen, lne\nin der letzten Zen eingeleitet wurde,\nguie Folgen gehabt haben, ermahnte\naber dann die Zöglinge der Schule,\nsich nicht de Kvpi von de Retorina\nwien verwirren, sondern sich mehr ooni\ngetunten Menschenverstand leiten zu\nlassen.\nProscssor Tast wandle sich vornehm\nlich gegen die Elörieiung sexueller Fra\ngen l Gcgeiiivart von Männern und\nFcaue. die nur dazu cingeihaii sei\nda- Schamgesulü abzuiödlet\'. Als\nlächerlich vezeichneie er die Vorgänge,\nwie sie in letzter Zen v icrs beobach\ntet wnrden, daß Schulkinder an den\nStreik gingen, weil einer ihrer Lehrer,\nden sie gi leiden mochten, nach einer\nanderen Schule versetz wurde. Als er\noch jung war, sägte er hi".,, nd Los\nist nicht gar so lange her. hätten Kin\nder, die etwas Deiariiges gewagt hät\nten. zu Haust eine gehörige Tracht\nPrügel bebau,neu. doch heule scheine\nhiistensche Ettern ihre Kiudcr noch zu\nloden und auf sie stolz zu sein, wenn sie\nunartig sind.\nSterllschil\'lppkli.\nDie Föhn A. Salzer Seed Ev.\nverjchissl zur Zeit erne große Bestelln g\nnoch Aranda de Duero, Spa\nnien, via New?jork, einhaltend eine\nallgemeine AuSinahl von Wiscvnsiner\nSämereien, die auch im AuSlandc einen\ngroßen Ruf erlangt haben.\nZwei Jndustricritter. die sich Ed.\nBairnS von New Bork und Wm. Far\nrar von Chicago nannten, wurden von\nder Polizei aus den Schub gebracht\nSie böte in der Sladl nachgemachte\nPelze zum Berkauf an, trotzdem zur\nZeit echte Pelze schon so billig und da\nbei unverläuslich sind.\n- Auf Vertilgung der Geiundh.ilS\nbehörde ist Frank Vasicek umersagl\nworden, in 110 Siid-Fronlstraße eine\nGeiberei einzurichic. weil dieselbe\nmitte in der last sich aIG.-i eiii\nschadcn erweisen müßte. Eine solche\nIndustrie gehört andecSwo hi, und\ne> pasiender Platz wird leicht zu finden\nsei.\nFöhn Pitz, der Kastellan vom\nCourihiruse. der bekanntlich letzte Woche\nvon einem schuminen Unbill belrosscn\nwurde, ist aus der Genesung.\nEin höchst ungesundes nd\nverkrüppelte Kind der Legisla\nI r von Wisconsin icheint das neue\nHeircuhsgejetz zu sei!\nTie Milwaickee-Bahn Hai den\nGesuchen von Geichästscrisende und\nAndern nachgegeben und läßt ihre\nZug No. AI von La Crosse wieder um\n5:30 Morgens stall um 4:50 ab\nsahren.\nldiH\' Trummond macht eine Spe\nzialität aus guten und schwierigen Re\nparaturen von Uhren. 522 State Str.\nIBL-\'" Feuer- und Lebensversicherung.\nAusschreiben von Besitztiteln und Hypv\niheken und Geldverleihen zu 5 Prozent\naus La Erosser Sicherheiten ist meine\nSpezialität. B. H. Bolz, 024 Sud\n7. Straße. Beide \'Phones. Anz.\nWer nur seine Schuldigkeit\nthut, thut nicht seine Schuldigkeit.\nEine Schule für Frauenrecht\nlerinnen will wun in Michigan errich\nten. Gu\'er Gedanke ! Es ist endlich\neinmal an \'e- Zeit. daß d,e Sussra\ngeuen lernen, was sie eigemlich\nwollen.\ntl- Würmer die Ursache der Lei\nden Ihrer Kinder.\nEine übelriechender unangenehriier\n\'Athem, dunkle Ringe um die Augen, i\nzu Z,eilen aufgeregt, mit großem Durst: >\ndie Backen seuerroih und dann wieder!\nbleich; de Leib geschwollen, mit schar!\nsen. kneifenden Schmerzen sind Ze>- j\nchen von Würmern. Lasien Sie Fhre!\nKinder nicht leiden Kickapoo Ltzorm\nKiller gibt sichere Linderung. Das\nselbe lobtet die Würmer, während das\nabführende Mittel den Körper regu\nlier und die unangenehmen Folgen der\nWürmer beiemg:. Kausen Sie noch\nheute eine Flashe. Preis 25c. Bei\nollen \'Apothekern oder per Post. Kicka\npoo Fndian Medicin Co , Philadelphia\noder St. Louis. —An;.\nWilson die Uebelstände auszählte, die\nseiner Anfichl nach abgestellt werden\nwüsten\nMil Ausnahme des progressiven\nRepräsenlanicn Murdock, der die Por\nschläqe Präsident Wilivn\'S zur Unter\ndrückung der Trust bir unzureichend!\nerklane, sprachen fick Repräsenianie,,!\nund Scna.oren -Iler Porleischai\'irnn\ngen günstig, ja enthusiastisch über die!\nBotschaft au.\nDie „Nordstern Wr\ngen haben die\nvon ta Lrosse nicht >ru- B\nmitschreiben sondern mir- /\nmachen helfen.\nNummer 1">.\nKmöcr der Slmkco,,\nDT\nDie sozialdeinokralische Parte: rvi\nKleider und Schube für de\nKupserdistrikl kaufen.\nChicago. Jll., 20. Jan. ,\nZiveitauseiid Schuliindec im Grude:\ndistrikt von Michigan und Eolorol\' .\nwerden Klcider und Schuhe aus de "F\nFonds, den die sozialistische Panel\nKinder von Streckern befteile geie\nhat, erhalten. W,e nn Haupiguar:-\'\nder Sozialisten in Chicago. Fl!., an\nkündigt wurde, weiden unverzüz\',\nTelkgranime nach Colorado und C>,\nmer abgeschickt werden. >n denen l\nAuskunft über die am\nöihigen Kleidungsstücke ersucht\nde soll Die Kleider werden in -\ncago gekaust.\nWie die Verivalierin de Fon*\nFrau W. B. Dranstcuei. erllärle. si*\netliche tausend Dollar m der Kos?- "\nauch von Kirchen und anderen Organ:\'"\nsanonen beigesteuert wurden.\nRuhe im Strcikgebiel. s\nHoughton. Mich., 20. Fan\nFm Slreikgebiel des K ptcrdlürckis\nvon Michigan war es am Moniag\nruhig, und nirgends kam es zu Aus\nschreitungen. Fn eilichen der Gruben\nkchrieu wenige Sireikcr an die Arbeit\nzurück, und von außerhalb trabn mei\nzig Leute ein, die in der Quinch-Grube\nai beite werde. Die Sirecker em-\nInett-n sich jeglicher feindseligen Teiiion\nsiialiou gegen die Ltteikbrecher.\nAus den Gtiichltu.\nIm Kreisgericht wurde Pauline\n>! ai>er von John Kaiser geschieden.\nHallte Kirschiier von Bangor hast\ngegen ihren Galten Wm. Nirschner\nwegen grausamer Behandlung eine\nScheidungsklage anhängig gemacht.\nIm Polizeigericht wurden Wm. Witt\nvom Pest Saloon an sudl. 3.\nsowie Frank Dirken wegen Schlägerei\nuw je 412 und Kosten destrast.\nDer Kläger war Theodor Krüger, der\nangab in der Wirthschaft von drei\nMännern nrißncin\'oelt worden zu sein.\nDer dritte seiner Angreifer. Chcrles\nN>e,.Haus, wurde wegen Bewersman\ngels enlwssen.\nNufallö-Cluoni\'.\nBeim Laufen nach einer Slraßencar\nsiel Hermann Niemcner, OK! Süd 23.\nStraße, an der 4 und Pearl Str. aus\ndem eisglatten Trottoir und erlitt dabei\nein Bruch des rechlen Beines. Riemever\nisl ein Feuerm >nn in Heileiuaniis Brau\neiei. und wird un St. Francis Sp\'lal\nverpslegi.\nIH>H\' Lchreibt über seine Toch\nter. „Wir habe eine Tochter". schreibst\nHerr August Engel von Hcrniigion.\nK ons.. ..die jetzt I! Fahre au ist und\nüber zwei Jahre lang mit Magenbe\nschwerde geplagt war. Sie war kaum\nimstande, irgend eiwas zu esse, und\nwurde so schwach und mager, daß sie\nnur noch Haut und Knochen war.\nWährend dieser ganzen Zeit dokterte sie.\nund die Aerzte sagien fort,ährende\n„Sie wird schon darüber hinweg kom\nmen" Aber es geschah nicht, wenig\nstens nicht durch ihre Behandlung.\nWir hallen alle Hoffnung ausgegeben,\nals wir anfingen, ihr Alpenkrauler zu\ngeben. Diese Medizin wirkte Wunder\nan ihr. Ihre Schmerzen verschwan\nden; ihre Backen wurden rund und\nrosig, und sie ist gesund und glücklich.\nEs will mir vorkommen, als ob Ihr\nAlpenkräuier die einzige wirkliche Medi\nzin ist."\nForni\'s Alpenkräuter ist keine Apo\nlheker-Medizin. sondern ein einfaches,\nalles Kräuier-Heilmiuel, welches dem\nPublikum direkt geliefert wird von Dr.\nPeter Fahrney ch Sons Eo., 19 2.\nSo Hohne Ave. Chicago,Jll.\nlijnmdeiqeiilhiims-Markt.\nfolgende lKrundeigenihums - lieber\nragungen wurden m de letzten Tagen\nvorgenvimnen\nJulius Uranler nn Barbara Hin, Eigen\nihum >,i Mctz!>n.ll und LOtiltleleyS eil\ndmon 4c-5\nWenzel Leibe! an Barbara Ciimmnigs. Cr\nft ulduni i McConnell und Whiittesen\'S\nslvvilion tz-i>o\nC. W Noble an Emma Wbulen E gealh um\nin Dealen a Ntid-r\'\', \'S "vvaion P i !i>\neü" Wundervolle Husten-Medizin\nTr. Kings New Discovern ist über\nall bekannl als ein Mine! welches\nsicher Husten oder Eika Hing kann. D.\nP Lawson von Edison. T -> iüreibi:\n..Dr. King\' New Tie ->-.e>v -st die\nivundervollste Medien rar Fuilea. Er\nkältungen, den Hals und die Lünzen,\ndie ich >e in meine, Gki\'L. - veciautl\nhrde" Tie ?>! wahr, weil 40. Knig\'s\nNew Discovern die qesährüch-oi Er\nkalttingen und Husten sowie Lungen\nkrankyetten ehr schnell kuriri Sie\nsvllien eine Flasche zu jeder Z:-l im\nHa -je haben inr alle Miiglieder der\n-sainilie. 50 . nd Be? allen 2lpo\nlbekcrn oder per Post. H. E. Bullen H\n(so. Philadelphia oder St. Lou-.s. An', 'publisher': 'C. Halbwachs', 'language': ['English', 'German'], 'alt_title': ['La Crosse nord stern', 'Nordstern'], 'lccn': 'sn86086186', 'country': 'Wisconsin', 'batch': 'whi_clabbert_ver01', 'title_normal': 'nord stern.', 'url': 'https://chroniclingamerica.loc.gov/lccn/sn86086186/1914-01-23/ed-1/seq-1.json', 'place': ['Wisconsin--La Crosse--La Crosse'], 'page': ''}]
d = data.get('items')
newspaper1 = d[0]
idnewspaper1 = newspaper1.get('id')
print(idnewspaper1)



/lccn/sn85033139/1914-01-01/ed-1/seq-1/

Now that we have the id we need, we can use it to build our query. Adding it to our source’s URL gives us https://chroniclingamerica.loc.gov/lccn/sn85033139/1914-01-01/ed-1/seq-1/. To see the OCR for this file, we just need to add ocr.txt to the end of the query to get https://chroniclingamerica.loc.gov/lccn/sn85033139/1914-01-01/ed-1/seq-1/ocr.txt.

Now let’s take a look at what it looks like when we make the request using the API.

#Grab one OCR file from Chronicling America
responsenewspaper1 = requests.get("https://chroniclingamerica.loc.gov/lccn/sn85033139/1914-01-01/ed-1/seq-1/ocr.txt")
print(responsenewspaper1.status_code)
200
print(responsenewspaper1.text)
olume IV.
tCITY COUHCIL NOUS,
pecial meeting of the city council
eld last Saturday evening to take
i winding up the electric light
purchase matter and to consider
otor lire truck purchase matter,
ler, Gcorgenson and Schroeder
absent.
esolutlon of Plumb md Frazier
unaminously adopted. It ratified
jKdetail of the committee’s agree
■t with the electric company, in
|Hcted the attorney to apply for a re
aßring to enable the stale Railroad
mjwmission to incorporate the agree-
Hnt in its order; authorized the coni-
on electric lights to manage
H plant temporarily; authorized ihe
committee to incur some nec
!iry expenses in priiting and selling
electric light bonds and instructed
finance committee not to sell morel
be bonds than shall be necessary,
i motion was then made author!/-
the committee on fire and water to
to Milwaukee and Kenosha and
e chief Kratz point out the defects
advantages of the different types
notor trucks. Thorison, chairman,
1 his heart set on this trip. Being
tious and conscientous above the
rage he always has to be ‘“shown.”
3 vote was, for the junket, 8 against
The noes were Kapil/, Lippert and
ierer.
'he mayor ruled tflat it was an “ex
jrdinary expenditure” requiring II
ayes to carry. There was u strained
pause. Then Thorison came to his
feet and proposed that the bridge com
mittee be sent. (This was a short arm
jab to the solar plexus of his neighbor
I who recently went on the au
bridge junket.) Thorison add
hls committee had numerous
taake trips of inspection at
snse of the truck manufactur
would not consider that and
the council wanted to spend
•a truck blindly they could not
snted.
mtor lire truck proposition for
ason not discernible has been
i sinister iniluence for a year
past. It seems to be creating suspic
ion and ill-will where there have been
none for years. Some members are
fighting it bitterly.
The necessity for a three-fourths
vote has prevented the purchase sever
al times. The proponents caught them
asleep and slipped the JfiOOO appropria
tion Into the lodgeu some weeks ago
specifying it to be for “tire purposes.”
The antis now assert that this is not
sufficiently definite to take the purchase
out of the “extraordinary appropria
tion” class. There may be a big light
over it soon.
VALUABLE FARM AS
GIFT STIRSCATO.
The death of John Meehan of Cato,
-reported last week, has developed a
fcurious situation. Mr. Meehan who
a bachelor, aged 50 has been an
Hvalid for some time. Early in Nov-
he gave to the tenant of his
William Launbrecht, a deed to
He farm and title to the farm person-
Hty in consideration of an agreement
V support the grantor for life and pay
grantor’s nearest living rela.
Miss Reddin, of Cato, a niece,
■BOO upon the grantor's death. The
farm is just outside the village of Cato.
Meehan survived this transaction less
than six weeks. Thus his properly,
Conservatively valued at SIB,OOO, will
■ to one not related to him upon the
■yroent of SIOOO. Meehan had no
of nearer kin than nieces and
Although ho had not been
with these relatives there
been no ill-will or family feud be
™een them. The farm is further
pledged upon the bond of Win. Keddin,
.one of the defendants convicted in the
treat labor union and; naraile case in the
federal court at Indianapolis. There
'are some rumors at Cato of an inten
tion to contest Launbrecht's possession
in court but nothing authoritative has
been made public.
NOTICE TO TAXPAYERS.
I Notice is hereby given that the tax
list'd taxes for the year 11)13 levied
for the following purposes, ' >wit; Gen
eral city purposes, state and county
purposes, schools, sewers, inomelaxes
special assessments for' sidewalks,
street improvements and water mains
and delinquent charges for water
mains, etc., has been committed to me
for collection, and that 1 will receive
kpayment for taxes at my oilice in the
Hty hall at 931 South Eighth street,
ni the city of Manitowoc, Wis., for the
lerm of thirty days next following the
■ate of this notice.
I Dated Decern bet 15, 1913.
I HENRY FRANKE,
I City Treasurer. Manitowoc, Wis.
BUY LAND ON EASY TERMS.
Cut-over hard wood lands In Wiscon
sin, from $9.00 per acre up. #I.OO per
here cash, balance in monthly install
ments of $5 00 on each forty bought.
No better p/o(>oßition known. Go to it
Adv. A. P. Schenian, Agent.
Subscribe for the Pilot.
®j)c pilol.
MARRIED
Miss Serena Westphal and Mr. Her
man C. Berndt were married at the
home of the bride’s parents on Christ
mas day at 5 o’clock in the evening by
the Rev. of the German
Lutheran church. The affair was
quiet, and was witnessed only by the
immediate relatives of the contract
ing couple.
The bride is a bright and accomplish
ed young lady and has a large circle of
friends in this city. She is a daughter
of Mr. and Mrs. H. C. Westphal,
South 13lh street. She is a graduate
of the old West Side high school and
was employed at one time as a deputy
in the office of the county clerk.
Mr. Berndt is a well known young
man, energetic and intelligent, who
for twelve years was foreman of the
Pilot, but severed his connection with
the establishment four months ago to
accept a more lucrative position with
the Fond du Lac Reporter. Mr. and
Mrs. Berndt have taken up their resi
dence at Pond du Lac.
The Pilot joins the many friends of
both bride and groom in tf idering con
gratulations and expressing the wish
that their future may be crowned with
bliss.
At the home of Win. Ralbsack, Sr.,
Christmas, Miss Ruth Bern and Mr.
Melvin Sandersin were united in wed
lock, the Rev. Haase officiating. Miss
Adeline Hinz and Arthur Bern, were
the attendants. The bride is a popular
young lady who has been employed as
a clerk in the Esch store. The groom
is employed as a machinst at the Gun
nell Machine Company.
The young couple will make their
home in this city.
GOLDEN WEDDING.
Mr. and Mrs. Christian J. Knutze
on Tuesday celebrated the fiftieth ar
niversary of their marriage at theii
home, North 15th street.
The marriage of Christian Kuatzen
and Miss Gunhild Halverson was on
December ;W, 18113, at Vraadl, Norway,
the Rev. K. O. Knutzen, father of the
groom, performing the ceremony.
Mr. Knutzen is a native of Christi
ana, Norway, having been born there
April 1, 1837, being 70 years of age,
while Mrs. Knutzen, born at Hvidese
Norway. May 22. 1843, is 70. Despite
their advanced ages, Mr. and Mrs.
Knutzen are enjoying good health.
They came to America the year after
their marriage, landing at Quebec, and
later on removing to Chicago. They
lived in Illinois for a few years and
came to Manitowoc in 18(37, where they
have since resided.
Mr. Knutzen has been a painter con
tractor for the past 45 years.
There are five children and fifteen
grancdhildren living. The children
are: H. J. Knutzen, Antigo, N. E.
Knutzen, Green Bay; Mrs. P. A. Holm,
Tigerton, and Dora and Marie of this
city.
There was a family re-union at the
home Tuesday afternoon and evening.
The following were here from outside
for the golden wedding:
Mrs. Bertha Knutzen, Edwin,George
Norman, Menasha; Mr,and Mrs. H. J.
Knutzen, Antigo; Mr. and Mrs. N. K.
Knutzen, Green Bay; Mr. and Mrs. P.
A. Holm, Tigerton.
REAL ESTATE REPORT
The following Real Estate Reports is
furnished by the Manitowoc County
Astract Company, which owns the
only complete Abstract of Manitowoc
county.
George Bauman to Joseph W. Vran
ey, 108£ sq. rods in NW corner sec 30
Kossuth, SOSOO.
Annie Derringer et al to Henry
Baruih, lot 0 blk 312 Manitowoc, $2200.
John A. Johnson to Arthur E. ILw,
lot 11 blk 50 Manitowoc, sl.
John I’eter Steffes to Peter Endries,
lots 1 and 2 blk “D” Manitowoc, *l.
John Peter StelTes to Peter Endries,
2J a in sec 23 and 20 Manitowoc Rap
ids, sl.
Peter Endries to John Peter StefTes
et al, lots 1 and 2 blk “D” Manitowoc
sl.
Peter Kndrles to John Peter SteiTes
24 a in sec 23 2(1 Manitowoc Rapids, sl.
William Pohl to Norhert Reichert,
80 a in sec 10 Schleswig, SIO,OOO.
C. H. Tegen to Mary Healy Jr., lot
4 blk 291 Manitowoc, fl.
Matt Kocian to Lawrence Kocian, 120
a in sec 30 and 31 Cooperstown, sl.
John G. Meehan to William J. Laun
brecht, 104.24 a in section 4 Cato and
36 a in section 33 Franklin, $16,000.
Charles M. Ohlsen to Jennie M. Ohl
sen, lot 3 blk 7 Manitowoc, sl.
Fruit In Glass.
A housewife who was puzzled to
know how she could put fruit In the
refrigerator and not have it scent the
butter and milk by the side of It,
caught the Idea of emptying out the
basket into glass Jars and putting on
the tops.
Mental Training.
An educated man la a man who can
do what he ought to do when he ought
to do It whether he wants to do It or
not.—Nicholas Murray Butler.
DIEO
Frank Moser dropped dead Monday
morning on the grounds of the Seventh
ward public school where he was em
ployed by contrrctor Steve Knechtel
in some grading work in progress.
Mr. Moser had but arrived to begin
the mornings work and was chatting
with a fellow employe when he fell
lifeless without givingany premonitoiy
symptoms of distress. He had not been
in ill health. His son Frank died but
three weeks ago leaving a void in the
musical circle of the city, he having
been for years director of the city’s
widely known Marine Band. Frank,
Sr., was born in Hungary in 1854 and
came to this country in the early 00’s
and had lived in Maple Grove until 3
years ago. He was a man of good char
acter and esteemed by all his neigh
bors. The Catholic Knights of Wis
consin, of which he was a member, at
tended his funeral which was held yes
terday from St. Bonifact, church to
Calvary. He is survived only by his
widow.
CONNELLY SURPRISED WITH GIFT
Michael T. Connelly, who is a char
ter member of the local council of the
K. of C. organized over 11 years ago,
and who leaves for Madison today
to assume anew position with the
Railroad Commission was entertained
by his lodge brothers at their hall
Tuesday evening. Mike was lured to
the hall by Rev. J. T. O'Leary and un
suspectingly walked into the party.
Mike’s manifold virtues were extolled
by M. J. O’Donnell, Rev. O’Leary,
John Egan, P. A. Miller, L. W. Led
vina, James Taugher, George Kenne
dy, Dr. A. J, Vits, Puch Egan, Dr.
Meany and John Carey. Ed. L. Kelley
gina! verses about the
ire and Harry Kelley
marks in presenting a
uiair on behalf of the
king that a rocking chair
was an inspiredly appropriate gift to
one entering the state service. The
tenor of most of the tributes was re
gret at losing the bubbling good spirits
ofOonneliy. “Dynami er of gloom
Puch Egan called him.
TRUE SECRET OF POPULARITY
Qlrl Must. Have torpe Beauty. Grace
and Intelligence, and Especially
Radiance.
What can a young girl, who Is net
ther a great beauty nor a great heir
ess, nor one to whom the gods stood
sponsor at birth, do to make herself
popular?
Let us sit down and take our chins
In our hands and think about It
A girl must have, at least In some
small degree, four qualities. There
are children of fortune who have them
all, and in abundance, but as from a
small palette of primary colors a great
picture may be painted, just so out
of a few elementary attributes quite
wonderful results are possible. The
four qualities of personality are:
Beauty, grace, intelligence, radk
ance.
Beauty may be that of face or fig
ure, oAAt may be merely an effort of
beauty through style, charm, or even
one of the other three qualities fol
lowing:
Grace includes not alone symmetrj
of movement, but all accomplish
ments In activity, such a a dancing,
skating, swimming, riding, and also
any especial gifts, such as a talent for
music or acting. In other words, the
girl who has the "gift of grace” in the
girl who does things well.
By intelligence is meant the sympa
thetic, adaptable quality of mind, rath
er than that of the brilliant order. Hut
the one great attribute that crowns
them all —granting, of course, some
gift of the other three—but without
which beauty, grace, cleverness are
all as applet of Sodom—is the sense
of enjoyment, the gift of happiness.
1 dot t think 1 can better define it
than by tbe word radiance. And best
of all, radiance is a quality that can
b( cultivated.
Beards in Olden Times.
The Greeks wore their beards until
the time of Alexander, but that great
general, probably remembering an en
counter with bis wife, orderd the Mace
donians to be shaved, lest their beards
should g_lve a handle to their enemies.
Heards were worn by the Romans In
390 I), C. Th* Emperor Julian wrote
a diatribe entitled "Misopogon” against
the wearing of the chin appendage in
362 B. C.
Get Fine Ride.
All offenders whom It becomes de
sirable to detain for a greater or less
period In the new Hordeau Jail, near
Montreal, are taken to their tempo
rary dwelling place In a tour'ng car.
which traverses a beautiful route,
alongside a river, and with se-ene and
uplifting scenery In the distance and
at hand.
Woman's Reason.
Women have more of what Is termed
good sense than men. They cannot
reason wrong, for tuey do not reason
at all. They have fewer pretensions,
are less Implicated In theories, and
judge of objects more from their im
mediate and involuntary Impression
on the mind, and therefore more truly
and naturally.— Hail'tt.
MANITOWOC, WIS., THURSDAY, JANUARY I. 1314.
ITEMS FROM THE PILOT FILES.
FIFTY YEARS AGO.
The Fortunes of War.—-A soldier
of the 17th regulars, a native of Phila
delphia, at the battle of Chickamauga
was struck with a piece of shell in the
right eye, then passing under the
bridge of the nose destroying the sight
of the left eye, and he is now perfectly
blind, though in the prime of life. In
the same action in which he lost bis
eyesight, he had a father and three
brothers killed leaving out of a whole
family only himself and his aged moth
er.
After Them. —General Grant has
captured, within the past seven months,
four hundred and twelve cannons,
namely: fifty-two on his advance to
Vicksburg, three hundred at that place
and sixty last week before Chattanoo
ga. Two thousand United Stales can
nons were stolen from Norfolk at the
beginning of the rebellion, but if Grant
keeps on at this : ate he will soon get
them all back again. Grant mu it be a
genuine “son of a gun.”
Lost Cows Hugh Ray of Kewau
nee, can find his lost cows at Mr. John
Sechrest's in the north-west part of
the town of Two Rivers.
Meade Retreats—More Men!—
Meade sought Lee. He found him
When he found him he didn’t like his
looks. So lie ran away. Avery brief
vis-a-vis with the rebel commander
scared the wits from our commander’s
tiead and gave vigor to his heels.
Meade thinks Lee too strong for him.
We think Meade was right. He be
lieved himself forced to run first, or be
whipped and then run. Doubtless the
conclusion was well grounded.
Now here we are again—flat on our
backs; without force enough to con
quer another square rod of southern
territory. To carry out the plan of
the government at least a million more
tpen will be required for the field.
Under the present draft, we do not gel
enough to till the places of those who
die in hospital. If the president is in
earnest, lie will sweep tlie whole first
class of enrolled national forces into
the army at once. At the present rate
of progress, war is fast getting to be
chronic.
Pious That, notoriously pious sheet.
the N. Y, Independent compv''e,s Presi
dent Lincoln to a cur with a collar
Speaking of him, it says: “Does lie
not wear Kentucky like a collar to this
dayV A dog with a collar lights slow!”
This respectful (V) language is from
the pen of the Hev. Tilton, editor, who
was drafted, but, who, though able
b.idied, concluded not to fight at all.
TWENTY-FIVE YEARS AGO.
Charley Peers, Charley Sasse and
Charley Leveron* constitute a trinity
of preambulalors on Sundays. A couple
of weeks ago the three started out in the
country for a longer walk than usual.
They took the railroad track until they
had gone as far as they wished and
then made for a country mail on which
they proposed home. ’ After
tramping an hour they thought they
should be in sight of the city but could
discover no trace of Manitowoc. They
ipuckened their pace for an other half
hour and still could discover no trace
of the lost city. Peers thought some
one had run away with the pjace; Sas
se thought there was some witchcraft
about the thing and Levereni’. proposed
they camp out and wait for a relief ex
pedition. A farmer passed by and the
three hailed him with. "Say, where’s
Manitowoc’?” The farmer thought
they were guying him and wanted to
light the crowd. Hasse thought it
would be a good plan to mount
and holler as they used to do In olden
time w hen lost in the woods in hope
that someone in the city would hear
and give an answering shout. Their
queer maneuvers made the farmers
suspicious and when one of the crowd
would approach a house to inquire
about Manitowoc, lie would he chased
out of the yard with dogs. Peers went
into the woods having heard at one
time that persons lost could find ttieir
way homo by noticing on which side of
the tree the moss grew. Put it was as
hard to find moss as it was to lind the
city. In the meantime the farmers
were collecting with pitchforks, hoes
and axes to drive away the three dan
gerous looking characters who pre
tended they did not know the way to
Manitowoc. The trio set olf on a run
and took anew road. They reached
the Pranch village by nightfall but
didn’t know the place. One of them
insisted it was Amigo and that there
were a few people there who know
him. Another thought it was Hurley
as they walked far enough to reach
that place. The third thought it was
Depere and pointed to the river as
proof. They came near having a row
over the matter but in the nick of
lime a man approached whom they
knew. Py round about questions they
lesrned where they were and hired a
man to lake them home.
Now when they go outside the city
limits for a walk one of ’em walks
backwards so as to keep the city from
getting awry from them. People who
meet them wonder why one fellow pre
fers to walk backward, but the oilier
i wo explain that he wras born that way.
They take turns in this task and never
get beyond sight of the city.
EDUCATIONAL.
(ByC. W. Mkisnest.)
JAN UARY TEACHERS’ M EETINGS
Usman, Jan. 17, 1914.
9:30 A. M.
Opening
Class Exercise in Middle Form Oleog
raphy . . Nell to Barnes
Rural Economics . Edwin Mueller
Teaching How (o Study (Chapter V)
I’. J. Zimmers
1;80 P. M.
How to Teach Long Division, Factoring
and Decimals - James Murphy
Ellanora tiraf
Moral and Humane Teaching
Marie Gass
Accident Prevention - Mary (irady
How to Study (Chapter XI)
P. J, Zimmers
Uecdsvllle, Jan. 10, 19H.
10:00 A. M,
Singing - - Heedsville Pupils
Conducted by Gladys VVilllnger
(a) Accident Prevention
Mildred Dedricks
(b) Moral and Humane Teaching
Etta Hayden
Teaching How to Study (Chapter V)
P. J. Zimmers
1:30 P. M.
Class Exercise in Agriculture
Elizabeth Walrath
Rural Economics - F. O. Christiansen
How I Teach Factoring, Decimals, and
Long Division - Florence O’Connors
P. W. Falvey.
Teaching How to Study (Chapter XI)
P. J. Zimmers
Bring your copy of McMurry lo all
meetings.
The state of Maryland is holding sev
eral educational rallies lo stir up in
terest in education in order to secure
legislative action for the improvement
of the schools of the State and espe
ciady those located in rural dlstr'cts.
Rallies are being held in many coun
ties of the Stale. It is the purpose
of the State Hoard to hold such rallies
in every county before the next meet
ing of the legislature. The State
Board of Education is especially anxi
ous to create sentiment which will re
sult in favorable action Ity the Slate
legislature on the following mo.-suies;
1. An increased State appropriation
for common schools.
2. A Slate supervisor of rural
schools ns an assistant to the State Su
perindent of Public Instruction.
3. A State-wide compulsory educa
cation law.
4. A minimum term of at least sev
en months for all colored schools.
. r ). Teacher-training courses in ap
proved high schools under the auspices
of the State Board of Education.
(>. A Slate supported summer school
for rural teachers.
It seems strange that so old a state
as Maryland should lie so far behind
Wisconsin in these matters; and yet
the Slate Boaard of Public Affairs bns
placed Maryland ahead of Wisconsin in
school efficiency.
FOLK HIGH SCHOOLS
IN DENMARK.
Continuing the education received
in the elemenlry schools for young
men and women from 1H to 25 years of
age and making such provisions as to
terms that the farm work will boas
little interfered with as possible is the
aim of the Folk High Schools of Den
mark.
Two courses are offered each year,
—a four months’ course in the winter
for young men and a three months’
course in the summer for young wom
en. Most of these young people have
completed the work of the elementary
schools. The schools are located in
thecountry and are intended primarl'y
for country youth. The sciences con
nected with agriculture are taught,
but the greatest emphasis is laid on
history, biography, and literature.
The schools then are not vocational
schools except in a very broad sense.
The great object is to awaken the
intellectual life of the students, lo
make them ambitious to live efficient
ly and nobly, and to teach them how
this may be accomplished.
It is said that 10 per cent of the pop
ulation of Denmark goes through these
schools. Their popularity is attested
by the fact that they are supported by
cooperative effort of the people them
selves; only very small annual grants
are received from the government.
’[’he Folk High Schools are a mighty
agency :n the life not only of the rural
communities hut of the nation at large.
Five members of the Denmark cabinet
arc from the Folk High Schools, four
of these are farmers. Many members
of the lower house of parliament are
also from these schools. Eighty per
cent of the officials and managers in
the cooperative agricultural societies
and enterprises have attended Folk
High Schools.
The results achieved hy these schools
are a good example of the remarkable
results which can lie achieved when
the people are given the kind of educa
tion which they really need.
DISEASES OF SCftOOLCHILDREN.
Tuhercu'osis of the lungs is the lead
ing cause of deaths among American
children during the period of school
life, Next in order ere incidents,
O.TORRISON COMPANY
TATE Extend to All Our
* * Best Wishes for a
Prosperous and Happy New
Year and Wish to Thank
You for the share of patron
age with which you have
favored us ...
We are now in the midst of our
annual inventory taking and
beginning with January 2nd you
will find throughout the entire
store unusual bargains priced so
low that if money-saving is the
object you should look through
the different departments . .
O. TORRISON CO.
First Mortgages and Bonds
We have on hand and offer for sale choice first mortgages
and bonds. These mortgages and bonds make the safest
and best kind examined by ns and we guarantee them
straight.
Julius Lindstedt & Cos.
Manitowoc. WisconsinJ
dipheria and croup, lyhold fever, and
organic diseases of the heart. Out of
a total of 51,1103 deaths from all causes
at ages 5 to 111,24,510, or 47.5 per cent
are caused by these live diseases. Tu
berculosis causes 14,3 per cent and ac
cidents 13.8 percent of the mortality
among children of small age. These
ligures are given In an article in the
December number of the School Re
view,
The light against the great white
plague should receive renewed im
petus from the fact that this disease Is
the captain of the enemies of health
and life among the school children of
our land.
The number of public and private
high schools in the United Stales of
fering courses in agriculture is now
1,880. In 11)10 the corresponding num
ber was 432, which is about one-fourth
of the present number.
Stale Superinlendant C. I*. Cary has
designated January 28-30 as the days
for the bolding of the annual conven
tion of county superimendanls. The
convention will bo hold in Madison.
The time and place of meeting will en
abb’ the county superintendents to lake
advantage of the meeting of the coun
try life conference and the two weeks
Farmers' Course.
Marriage Licenses
The following marriage licenses have
been Issued by the county clerk the
past week:
David Terry of Kaukaunn and Nora
Westpbabl of Two Rivers; Jos. Kolo
wsky of Milwaukee and Blanche Sol>-
luosky of Manitowoc; Adolph Ilrat/.
and Kmrna Hubolz, both of Rockland;
John liubolz and Laura Rusch, both of
Rockland; Simon Slsdkey of this city
and Hernia lieranova of i’raguo, Bo
hemia; Kdward Shimon and Barbara
Burish, both of Reedsville; Frank
Burlsh of Spruce, Wls. and F.mnia Os
wald of Franklin, Deter Horn and
Klizabeth Hartman, both of Manitowoc
Henry Kieselhorst of Newton and Lin
da Rusch of Liberty; Henry Siege of
Anti go and Linda Klusmoyor of Ra
pids; Kdward Kafka and Rose Napic
clnszkl, both of Two Rivers.
NUMBER 27
Joke of Year* Ago.
A clergyman wan preaching a ser
mon upon "Death,” in the course ol
which he asked the question: "Is it
not a solemn thought?” ills four-year
old boy, who had been listening in
rapt attention to his father, Immedi
ately answered in a shrill, piping
voice, so as to bo heard throughout
the house; "Yes, sir, it is."—Vintage
of 1803.
Peculiar Bequests.
There is one actual case on record
of a bequest of artificial teeth. Hut
as it was so long ago the legal chron
iclers think the decedent had In mind
the sale of the teeth to the dentists
of the time so that cash might be real
Ued. -Many cases are narrated ol
women bequeathing their hair to
their heirs to bo converted Into money.
Recognized English Holidays.
There are now twenty six days In
the year recognized us legitimate oc
casions for holiday* In most cities of
Ungland. These are In addition to
the weekly half-holidays observed on
Wednesdays or Saturdays. An effort
Is being made to lessen the number
of holidays and to bring those re
tained Into more systematic order.
Industry Always a Refuge.
“Some temptations come to the in
dustrious,” said Spurgeon once, "but
all temptations come to the Idle " The
old and good renuly against a be
setting sin Is to leave neither time
nor room for It anywhere in life, and
so crowd it out steadily and surely
from its old place and power.”
To Whiten Ivory,
To whiten Ivory rub it well with un
salted butter and places it in the sun
shine. if It Is discolored it may be
whitened by rubbing it with a paste
composed of burned pumice stone and
water and putting in in the sun under
glass.
To Clean Brass.
To clean embossed brass make a
good lather with soap and a quart ol
very hot water. Add two teaspoon
tuls of the strongest liquid ummonla.
Wash tho article In this, using a soft
brush for the chased work. Wipe dry
with a soft cloth.

Key Points

  • You will need to evaluate the suitability of data for inclusion in your corpus and will need to take into consideration issues such as legal/ethical restrictions and data quality among others.

  • Making an API request is a common way to access data.

  • You can build a query using a source’s URL and combine it with get() in Python to make a request for data.


Preparing and Preprocessing Your Data

Overview

Teaching: 10 min
Exercises: 10 min
Questions
  • How can I prepare data for NLP?

  • What are tokenization, casing and lemmatization?

Objectives
  • Load a test document into Spacy.

  • Learn preprocessing tasks.

Preparing and Preprocessing Your Data

Collection

The first step to preparing your data is to collect it. Whether you use API’s to gather your material or some other method depends on your research interests. For this workshop, we’ll use pre-gathered data.

During the setup instructions, we asked you to download a number of files. These included about forty texts downloaded from Project Gutenberg, which will make up our corpus of texts for our hands on lessons in this course.

Take a moment to orient and familiarize yourself with them:

While a full-sized corpus can include thousands of texts, these forty-odd texts will be enough for our illustrative purposes.

Loading Data into Python

We’ll start by mounting our Google Drive so that Colab can read the helper functions. We’ll also go through how many of these functions are written in this lesson.

# Run this cell to mount your Google Drive.
from google.colab import drive
drive.mount('/content/drive')

# Show existing colab notebooks and helpers.py file
from os import listdir
wksp_dir = '/content/drive/My Drive/Colab Notebooks/text-analysis'
listdir(wksp_dir)

# Add folder to colab's path so we can import the helper functions
import sys
sys.path.insert(0, wksp_dir)

Next, we have a corpus of text files we want to analyze. Let’s create a method to list those files. To make this method more flexible, we will also use glob to allow us to put in regular expressions so we can filter the files if so desired. glob is a tool for listing files in a directory whose file names match some pattern, like all files ending in *.txt.

!pip install pathlib parse
import glob
import os
from pathlib import Path
def create_file_list(directory, filter_str='*'):
  files = Path(directory).glob(filter_str)
  files_to_analyze = list(map(str, files))
  return files_to_analyze

Alternatively, we can load this function from the helpers.py file we provided for learners in this course:

from helpers import create_file_list

Either way, now we can use that function to list the books in our corpus:

corpus_dir = '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books'
corpus_file_list = create_file_list(corpus_dir)
print(corpus_file_list)
['/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/dickens-olivertwist.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/chesterton-knewtoomuch.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/dumas-tenyearslater.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/dumas-twentyyearsafter.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/austen-pride.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/dickens-taleoftwocities.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/chesterton-whitehorse.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/dickens-hardtimes.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/austen-emma.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/chesterton-thursday.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/dumas-threemusketeers.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/chesterton-ball.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/austen-ladysusan.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/austen-persuasion.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/melville-conman.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/chesterton-napoleon.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/chesterton-brown.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/dumas-maninironmask.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/dumas-blacktulip.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/dickens-greatexpectations.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/dickens-ourmutualfriend.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/austen-sense.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/dickens-christmascarol.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/dickens-davidcopperfield.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/dickens-pickwickpapers.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/melville-bartleby.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/dickens-bleakhouse.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/dumas-montecristo.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/austen-northanger.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/melville-moby_dick.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/shakespeare-twelfthnight.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/melville-typee.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/shakespeare-romeo.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/melville-omoo.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/melville-piazzatales.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/shakespeare-muchado.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/shakespeare-midsummer.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/shakespeare-lear.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/melville-pierre.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/shakespeare-caesar.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/shakespeare-othello.txt']

We will use the full corpus later, but it might be useful to filter to just a few specific files. For example, if I want just documents written by Austen, I can filter on part of the file path name:

austen_list = create_file_list(corpus_dir, 'austen*')
print(austen_list)
['/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/austen-pride.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/austen-emma.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/austen-ladysusan.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/austen-persuasion.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/austen-sense.txt', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/austen-northanger.txt']

Let’s take a closer look at Emma. We are looking at the first full sentence, which begins with character 50 and ends at character 290.

preview_len = 290
emmapath = create_file_list(corpus_dir, 'austen-emma*')[0]
print(emmapath)
sentence = ""
with open(emmapath, 'r') as f:
  sentence = f.read(preview_len)[50:preview_len]

print(sentence)
/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/austen-emma.txt
Emma Woodhouse, handsome, clever, and rich, with a comfortable home
and happy disposition, seemed to unite some of the best blessings
of existence; and had lived nearly twenty-one years in the world
with very little to distress or vex her.

Preprocessing

Currently, our data is still in a format that is best for humans to read. Humans, without having to think too consciously about it, understand how words and sentences group up and divide into discrete units of meaning. We also understand that the words run, ran, and running are just different grammatical forms of the same underlying concept. Finally, not only do we understand how punctuation affects the meaning of a text, we also can make sense of texts that have odd amounts or odd placements of punctuation.

For example, Darcie Wilder’s literally show me a healthy person has very little capitalization or punctuation:

in the unauthorized biography of britney spears she says her advice is to lift 1 lb weights and always sing in elevators every time i left to skateboard in the schoolyard i would sing in the elevator i would sing britney spears really loud and once the door opened and there were so many people they heard everything so i never sang again

Across the texts in our corpus, our authors write with different styles, preferring different dictions, punctuation, and so on.

To prepare our data to be more uniformly understood by our early models, we need to (a) break it into smaller units, (b) replace words with their roots, and (c) remove unwanted common or unhelpful words and punctuation.

Tokenization

Tokenization is the process of breaking down texts (strings of characters) into words, groups of words, and sentences. A string of characters needs to be understood by a program as smaller units so that it can be embedded. These are called tokens.

While our tokens will be single words for now, this will not always be the case. Different models have different ways of tokenizing strings. The strings may be broken down into multiple word tokens, single word tokens, or even components of words like letters or morphology. Punctuation may or may not be included.

We will be using a tokenizer that breaks documents into single words for this lesson.

Let’s load our tokenizer and test it with the first sentence of Emma:

import spacy
import en_core_web_sm
spacyt = spacy.load("en_core_web_sm")

We will define a tokenizer method with the text editor. Keep this open so we can add to it throughout the lesson.

class Our_Tokenizer:
  def __init__(self):
    #import spacy tokenizer/language model
    self.nlp = en_core_web_sm.load()
    self.nlp.max_length = 4500000 # increase max number of characters that spacy can process (default = 1,000,000)
  def __call__(self, document):
    tokens = self.nlp(document)
    return tokens

This will load spacy and its preprocessing pipeline for English. Pipelines are a series of interrelated tasks, where the output of one task is used as an input for another. Different languages may have different rulesets, and therefore require different preprocessing pipelines. Running the document we created through the NLP model we loaded performs a variety of tasks for us. Let’s look at these in greater detail.

tokens = spacyt(sentence)
for t in tokens:
 print(t.text)
Emma
Woodhouse
,
handsome
,
clever
,
and
rich
,
with
a
comfortable
home


and
happy
disposition
,
seemed
to
unite
some
of
the
best
blessings


of
existence
;
and
had
lived
nearly
twenty
-
one
years
in
the
world


with
very
little
to
distress
or
vex
her
.

The single sentence has been broken down into a set of tokens. Tokens in spacy aren’t just strings: They’re python objects with a variety of attributes. Full documentation for these attributes can be found at: https://spacy.io/api/token

Stems and Lemmas

Think about similar words, such as running, ran, and runs. All of these words have a similar root, but a computer does not know this. Without preprocessing, each of these words would be a new token.

Stemming and Lemmatization are used to group together words that are similar or forms of the same word.

Stemming is removing the conjugation and pluralized endings for words. For example, words like digitization, and digitizing might chopped down to digitiz.

Lemmatization is the more sophisticated of the two, and looks for the linguistic base of a word. Lemmatization can group words that mean the same thing but may not be grouped through simple stemming, such as irregular verbs like bring and brought.

Similarly, in naive tokenization, capital letters are considered different from non-capital letters, meaning that capitalized versions of words are considered different from non-capitalized versions. Converting all words to lower case ensures that capitalized and non-capitalized versions of words are considered the same.

These steps are taken to reduce the complexities of our NLP models and to allow us to train them from less data.

When we tokenized the first sentence of Emma above, Spacy also created a lemmatized version of itt. Let’s try accessing this by typing the following:

for t in tokens:
  print(t.lemma)
14931068470291635495
17859265536816163747
2593208677638477497
7792995567492812500
2593208677638477497
5763234570816168059
2593208677638477497
2283656566040971221
10580761479554314246
2593208677638477497
12510949447758279278
11901859001352538922
2973437733319511985
12006852138382633966
962983613142996970
2283656566040971221
244022080605231780
3083117615156646091
2593208677638477497
15203660437495798636
3791531372978436496
1872149278863210280
7000492816108906599
886050111519832510
7425985699627899538
5711639017775284443
451024245859800093
962983613142996970
886050111519832510
4708766880135230039
631425121691394544
2283656566040971221
14692702688101715474
13874798850131827181
16179521462386381682
8304598090389628520
9153284864653046197
17454115351911680600
14889849580704678361
3002984154512732771
7425985699627899538
1703489418272052182
962983613142996970
12510949447758279278
9548244504980166557
9778055143417507723
3791531372978436496
14526277127440575953
3740602843040177340
14980716871601793913
6740321247510922449
12646065887601541794
962983613142996970

Spacy stores words by an ID number, and not as a full string, to save space in memory. Many spacy functions will return numbers and not words as you might expect. Fortunately, adding an underscore for spacy will return text representations instead. We will also add in the lower case function so that all words are lower case.

for t in tokens:
 print(str.lower(t.lemma_))
emma
woodhouse
,
handsome
,
clever
,
and
rich
,
with
a
comfortable
home


and
happy
disposition
,
seem
to
unite
some
of
the
good
blessing


of
existence
;
and
have
live
nearly
twenty
-
one
year
in
the
world


with
very
little
to
distress
or
vex
she
.

Notice how words like best and her have been changed to their root words like good and she. Let’s change our tokenizer to save the lower cased, lemmatized versions of words instead of the original words.

class Our_Tokenizer:
  def __init__(self):
    # import spacy tokenizer/language model
    self.nlp = en_core_web_sm.load()
    self.nlp.max_length = 4500000 # increase max number of characters that spacy can process (default = 1,000,000)
  def __call__(self, document):
    tokens = self.nlp(document)
    simplified_tokens = [str.lower(token.lemma_) for token in tokens]
    return simplified_tokens

Stop-Words and Punctuation

Stop-words are common words that are often filtered out for more efficient natural language data processing. Words such as the and and don’t necessarily tell us a lot about a document’s content and are often removed in simpler models. Stop lists (groups of stop words) are curated by sorting terms by their collection frequency, or the total number of times that they appear in a document or corpus. Punctuation also is something we are not interested in, at least not until we get to more complex models. Many open-source software packages for language processing, such as Spacy, include stop lists. Let’s look at Spacy’s stopword list.

from spacy.lang.en.stop_words import STOP_WORDS
print(STOP_WORDS)
{''s', 'must', 'again', 'had', 'much', 'a', 'becomes', 'mostly', 'once', 'should', 'anyway', 'call', 'front', 'whence', ''ll', 'whereas', 'therein', 'himself', 'within', 'ourselves', 'than', 'they', 'toward', 'latterly', 'may', 'what', 'her', 'nowhere', 'so', 'whenever', 'herself', 'other', 'get', 'become', 'namely', 'done', 'could', 'although', 'which', 'fifteen', 'seems', 'hereafter', 'whereafter', 'two', "'ve", 'to', 'his', 'one', ''d', 'forty', 'being', 'i', 'four', 'whoever', 'somehow', 'indeed', 'that', 'afterwards', 'us', 'she', "'d", 'herein', ''ll', 'keep', 'latter', 'onto', 'just', 'too', "'m", ''re', 'you', 'no', 'thereby', 'various', 'enough', 'go', 'myself', 'first', 'seemed', 'up', 'until', 'yourselves', 'while', 'ours', 'can', 'am', 'throughout', 'hereupon', 'whereupon', 'somewhere', 'fifty', 'those', 'quite', 'together', 'wherein', 'because', 'itself', 'hundred', 'neither', 'give', 'alone', 'them', 'nor', 'as', 'hers', 'into', 'is', 'several', 'thus', 'whom', 'why', 'over', 'thence', 'doing', 'own', 'amongst', 'thereupon', 'otherwise', 'sometime', 'for', 'full', 'anyhow', 'nine', 'even', 'never', 'your', 'who', 'others', 'whole', 'hereby', 'ever', 'or', 'and', 'side', 'though', 'except', 'him', 'now', 'mine', 'none', 'sixty', "n't", 'nobody', ''m', 'well', "'s", 'then', 'part', 'someone', 'me', 'six', 'less', 'however', 'make', 'upon', ''s', ''re', 'back', 'did', 'during', 'when', ''d', 'perhaps', "'re", 'we', 'hence', 'any', 'our', 'cannot', 'moreover', 'along', 'whither', 'by', 'such', 'via', 'against', 'the', 'most', 'but', 'often', 'where', 'each', 'further', 'whereby', 'ca', 'here', 'he', 'regarding', 'every', 'always', 'are', 'anywhere', 'wherever', 'using', 'there', 'anyone', 'been', 'would', 'with', 'name', 'some', 'might', 'yours', 'becoming', 'seeming', 'former', 'only', 'it', 'became', 'since', 'also', 'beside', 'their', 'else', 'around', 're', 'five', 'an', 'anything', 'please', 'elsewhere', 'themselves', 'everyone', 'next', 'will', 'yourself', 'twelve', 'few', 'behind', 'nothing', 'seem', 'bottom', 'both', 'say', 'out', 'take', 'all', 'used', 'therefore', 'below', 'almost', 'towards', 'many', 'sometimes', 'put', 'were', 'ten', 'of', 'last', 'its', 'under', 'nevertheless', 'whatever', 'something', 'off', 'does', 'top', 'meanwhile', 'how', 'already', 'per', 'beyond', 'everything', 'not', 'thereafter', 'eleven', 'n't', 'above', 'eight', 'before', 'noone', 'besides', 'twenty', 'do', 'everywhere', 'due', 'empty', 'least', 'between', 'down', 'either', 'across', 'see', 'three', 'on', 'formerly', 'be', 'very', 'rather', 'made', 'has', 'this', 'move', 'beforehand', 'if', 'my', 'n't', "'ll", 'third', 'without', ''m', 'yet', 'after', 'still', 'same', 'show', 'in', 'more', 'unless', 'from', 'really', 'whether', ''ve', 'serious', 'these', 'was', 'amount', 'whose', 'have', 'through', 'thru', ''ve', 'about', 'among', 'another', 'at'}

It’s possible to add and remove words as well, for example, zebra:

# remember, we need to tokenize things in order for our model to analyze them.
z = spacyt("zebra")[0]
print(z.is_stop) # False

# add zebra to our stopword list
STOP_WORDS.add("zebra")
spacyt = spacy.load("en_core_web_sm")
z = spacyt("zebra")[0]
print(z.is_stop) # True

# remove zebra from our list.
STOP_WORDS.remove("zebra")
spacyt = spacy.load("en_core_web_sm")
z = spacyt("zebra")[0]
print(z.is_stop) # False

Let’s add “Emma” to our list of stopwords, since knowing that the name “Emma” is often in Jane Austin does not tell us anything interesting.

This will only adjust the stopwords for the current session, but it is possible to save them if desired. More information about how to do this can be found in the Spacy documentation. You might use this stopword list to filter words from documents using spacy, or just by manually iterating through it like a list.

Let’s see what our example looks like without stopwords and punctuation:

# add emma to our stopword list
STOP_WORDS.add("emma")
spacyt = spacy.load("en_core_web_sm")

# retokenize our sentence
tokens = spacyt(sentence)

for token in tokens:
  if not token.is_stop and not token.is_punct:
    print(str.lower(token.lemma_))
woodhouse
handsome
clever
rich
comfortable
home


happy
disposition
unite
good
blessing


existence
live
nearly
year
world


little
distress
vex

Notice that because we added emma to our stopwords, she is not in our preprocessed sentence any more. Other stopwords are also missing such as numbers.

Let’s filter out stopwords and punctuation from our custom tokenizer now as well:

class Our_Tokenizer:
  def __init__(self):
    # import spacy tokenizer/language model
    self.nlp = en_core_web_sm.load()
    self.nlp.max_length = 4500000 # increase max number of characters that spacy can process (default = 1,000,000)
  def __call__(self, document):
    tokens = self.nlp(document)
    simplified_tokens = []    
    for token in tokens:
        if not token.is_stop and not token.is_punct:
            simplified_tokens.append(str.lower(token.lemma_))
    return simplified_tokens

Parts of Speech

While we can manually add Emma to our stopword list, it may occur to you that novels are filled with characters with unique and unpredictable names. We’ve already missed the word “Woodhouse” from our list. Creating an enumerated list of all of the possible character names seems impossible.

One way we might address this problem is by using Parts of speech (POS) tagging. POS are things such as nouns, verbs, and adjectives. POS tags often prove useful, so some tokenizers also have built in POS tagging done. Spacy is one such library. These tags are not 100% accurate, but they are a great place to start. Spacy’s POS tags can be used by accessing the pos_ method for each token.

for token in tokens:
  if token.is_stop == False and token.is_punct == False:
    print(str.lower(token.lemma_)+" "+token.pos_)
woodhouse PROPN
handsome ADJ
clever ADJ
rich ADJ
comfortable ADJ
home NOUN

  SPACE
happy ADJ
disposition NOUN
unite VERB
good ADJ
blessing NOUN

  SPACE
existence NOUN
live VERB
nearly ADV
year NOUN
world NOUN

  SPACE
little ADJ
distress VERB
vex VERB

  SPACE

Because our dataset is relatively small, we may find that character names and places weigh very heavily in our early models. We also have a number of blank or white space tokens, which we will also want to remove.

We will finish our special tokenizer by removing punctuation and proper nouns from our documents:

class Our_Tokenizer:
  def __init__(self):
    # import spacy tokenizer/language model
    self.nlp = en_core_web_sm.load()
    self.nlp.max_length = 4500000 # increase max number of characters that spacy can process (default = 1,000,000)
  def __call__(self, document):
    tokens = self.nlp(document)
    simplified_tokens = [
      #our helper function expects spacy tokens. It will take care of making them lowercase lemmas.
      token for token in tokens
      if not token.is_stop
      and not token.is_punct
      and token.pos_ != "PROPN"
    ]
    return simplified_tokens

Alternative, instead of “blacklisting” all of the parts of speech we don’t want to include, we can “whitelist” just the few that we want, based on what they information they might contribute to the meaning of a text:

class Our_Tokenizer:
  def __init__(self):
    # import spacy tokenizer/language model
    self.nlp = en_core_web_sm.load()
    self.nlp.max_length = 4500000 # increase max number of characters that spacy can process (default = 1,000,000)
  def __call__(self, document):
    tokens = self.nlp(document)
    simplified_tokens = [
      #our helper function expects spacy tokens. It will take care of making them lowercase lemmas.
      token for token in tokens
      if not token.is_stop
      and not token.is_punct
      and token.pos_ in {"ADJ", "ADV", "INTJ", "NOUN", "VERB"}
    ]
    return simplified_tokens

Either way, let’s test our custom tokenizer on this selection of text to see how it works.

tokenizer = Our_Tokenizer()
tokens = tokenizer(sentence)
print(tokens)
['handsome', 'clever', 'rich', 'comfortable', 'home', 'happy', 'disposition', 'unite', 'good', 'blessing', 'existence', 'live', 'nearly', 'year', 'world', 'little', 'distress', 'vex']

Putting it All Together

Now that we’ve built a tokenizer we’re happy with, lets use it to create lemmatized versions of all the books in our corpus.

That is, we want to turn this:

Emma Woodhouse, handsome, clever, and rich, with a comfortable home
and happy disposition, seemed to unite some of the best blessings
of existence; and had lived nearly twenty-one years in the world
with very little to distress or vex her.

into this:

handsome
clever
rich
comfortable
home
happy
disposition
seem
unite
good
blessing
existence
live
nearly
year
world
very
little
distress
vex

To help make this quick for all the text in all our books, we’ll use a helper function we prepared for learners to use our tokenizer, do the casing and lemmatization we discussed earlier, and write the results to a file:

from helpers import lemmatize_files
lemma_file_list = lemmatize_files(tokenizer, corpus_file_list)
['/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/dickens-olivertwist.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/chesterton-knewtoomuch.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/dumas-tenyearslater.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/dumas-twentyyearsafter.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/austen-pride.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/dickens-taleoftwocities.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/chesterton-whitehorse.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/dickens-hardtimes.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/austen-emma.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/chesterton-thursday.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/dumas-threemusketeers.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/chesterton-ball.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/austen-ladysusan.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/austen-persuasion.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/melville-conman.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/chesterton-napoleon.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/chesterton-brown.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/dumas-maninironmask.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/dumas-blacktulip.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/dickens-greatexpectations.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/dickens-ourmutualfriend.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/austen-sense.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/dickens-christmascarol.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/dickens-davidcopperfield.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/dickens-pickwickpapers.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/melville-bartleby.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/dickens-bleakhouse.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/dumas-montecristo.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/austen-northanger.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/melville-moby_dick.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/shakespeare-twelfthnight.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/melville-typee.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/shakespeare-romeo.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/melville-omoo.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/melville-piazzatales.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/shakespeare-muchado.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/shakespeare-midsummer.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/shakespeare-lear.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/melville-pierre.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/shakespeare-caesar.txt.lemmas', '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/shakespeare-othello.txt.lemmas']

This process may take several minutes to run. Doing this preprocessing now however will save us much, much time later.

Saving Our Progress

Let’s save our progress by storing a spreadsheet (*.csv or *.xlsx file) that lists all our authors, books, and associated filenames, both the original and lemmatized copies.

We’ll use another helper we prepared to make this easy:

from helpers import parse_into_dataframe
pattern = "/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/{author}-{title}.txt"
data = parse_into_dataframe(pattern, corpus_file_list)
data["Lemma_File"] = lemma_file_list

Finally, we’ll save this table to a file:

data.to_csv("/content/drive/My Drive/Colab Notebooks/text-analysis/data/data.csv", index=False)

Outro and Conclusion

This lesson has covered a number of preprocessing steps. We created a list of our files in our corpus, which we can use in future lessons. We customized a tokenizer from Spacy, to better suit the needs of our corpus, which we can also use moving forward.

Next lesson, we will start talking about the concepts behind our model.

Key Points

  • Tokenization breaks strings into smaller parts for analysis.

  • Casing removes capital letters.

  • Stopwords are common words that do not contain much useful information.

  • Lemmatization reduces words to their root form.


Vector Space and Distance

Overview

Teaching: 20 min
Exercises: 20 min
Questions
  • How can we model documents effectively?

  • How can we measure similarity between documents?

  • What’s the difference between cosine similarity and distance?

Objectives
  • Visualize vector space in a 2D model.

  • Learn about embeddings.

  • Learn about cosine similarity and distance.

Vector Space

Now that we’ve preprocessed our data, let’s move to the next step of the interpretative loop: representation.

Many NLP models make use of a concept called Vector Space. The concept works like this:

  1. We create embeddings, or mathematical surrogates, of words and documents in vector space. These embeddings can be represented as sets of coordinates in multidimensional space, or as multi-dimensional matrices.
  2. These embeddings should be based on some sort of feature extraction, meaning that meaningful features from our original documents are somehow represented in our embedding. This will make it so that relationships between embeddings in this vector space will correspond to relationships in the actual documents.

Bags of Words

In the models we’ll look at today, we have a “bag of words” assumption as well. We will not consider the placement of words in sentences, their context, or their conjugation into different forms (run vs ran), not until later in this course.

A “bag of words” model is like putting all words from a sentence in a bag and just being concerned with how many of each word you have, not their order or context.

Worked Example: Bag of Words

Let’s suppose we want to model a small, simple set of toy documents. Our entire corpus of documents will only have two words, to and be. We have four documents, A, B, C and D:

We will start by embedding words using a “one hot” embedding algorithm. Each document is a new row in our table. Every time word ‘to’ shows up in a document, we add one to our value for the ‘to’ dimension for that row, and zero to every other dimension. Every time ‘be’ shows up in our document, we will add one to our value for the ‘be’ dimension for that row, and zero to every other dimension.

How does this corpus look in vector space? We can display our model using a document-term matrix, which looks like the following:

Document to be
Document A 1 10
Document B 8 8
Document C 2 2
Document D 2 2

Notice that documents C and D are represented exactly the same. This is unavoidable right now because of our “bag of words” assumption, but much later on we will try to represent positions of words in our models as well. Let’s visualize this using Python.

import numpy as np
import matplotlib.pyplot as plt
corpus = np.array([[1,10],[8,8],[2,2],[2,2]])
print(corpus)
[[ 1 10]
  [ 8  8]
  [ 2  2]
  [ 2  2]]

Graphing our model

We don’t just have to think of our words as columns. We can also think of them as dimensions, and the values as coordinates for each document.

# matplotlib expects a list of values by column, not by row.
# We can simply turn our table on its edge so rows become columns and vice versa.
corpusT = np.transpose(corpus)
print(corpusT)
[[ 1  8  2  2]
  [10  8  2  2]]
X = corpusT[0]
Y = corpusT[1]
# define some colors for each point. Since points A and B are the same, we'll have them as the same color.
mycolors = ['r','g','b','b']

# display our visualization
plt.scatter(X,Y, c=mycolors)
plt.xlim(0, 12)
plt.ylim(0, 12)
plt.show()

png

Distance and Similarity

What can we do with this simple model? At the heart of many research tasks is distance or similarity, in some sense. When we classify or search for documents, we are asking for documents that are “close to” some known examples or search terms. When we explore the topics in our documents, we are asking for a small set of concepts that capture and help explain as much as the ways our documents might differ from one another. And so on.

There are two measures of distance/similarity we’ll consider here: Euclidean distance and cosine similarity.

Euclidean Distance

The Euclidian distance formula makes use of the Pythagorean theorem, where $a^2 + b^2 = c^2$. We can draw a triangle between two points, and calculate the hypotenuse to find the distance. This distance formula works in two dimensions, but can also be generalized over as many dimensions as we want. Let’s use distance to compare A to B, C and D. We’ll say the closer two points are, the smaller their distance, so the more similar they are.

from sklearn.metrics.pairwise import euclidean_distances as dist

#What is closest to document D?
D = [corpus[3]]
print(D)
[array([2, 2])]
dist(corpus, D)
array([[8.06225775],
       [8.48528137],
       [0.        ],
       [0.        ]])

Distance may seem like a decent metric at first. Certainly, it makes sense that document D has zero distance from itself. C and D are also similar, which makes sense given our bag of words assumption. But take a closer look at documents B and D. Document B is just document D copy and pasted 4 times! How can it be less similar to document D than document B?

Distance is highly sensitive to document length. Because document A is shorter than document B, it is closer to document D. While distance may be an intuitive measure of similarity, it is actually highly dependent on document length.

We need a different metric that will better represent similarity. This is where vectors come in. Vectors are geometric objects with both length and direction. They can be thought of as a ray or an arrow pointing from one point to another.

Vectors can be added, subtracted, or multiplied together, just like regular numbers can. Our model will consider documents as vectors instead of points, going from the origin at $(0,0)$ to each document. Let’s visualize this.

# we need the point of origin in order to draw a vector. Numpy has a function to create an array full of zeroes.
origin = np.zeros([1,4])
print(origin)
[[0. 0. 0. 0.]]
# draw our vectors
plt.quiver(origin, origin, X, Y, color=mycolors, angles='xy', scale_units='xy', scale=1)
plt.xlim(0, 12)
plt.ylim(0, 12)
plt.show()

png

Document A and document D are headed in exactly the same direction, which matches our intution that both documents are in some way similar to each other, even though they differ in length.

Cosine Similarity

Cosine Similarity is a metric which is only concerned with the direction of the vector, not its length. This means the length of a document will no longer factor into our similarity metric. The more similar two vectors are in direction, the closer the cosine similarity score gets to 1. The more orthogonal two vectors get (the more at a right angle they are), the closer it gets to 0. And as the more they point in opposite directions, the closer it gets to -1.

You can think of cosine similarity between vectors as signposts aimed out into multidimensional space. Two similar documents going in the same direction have a high cosine similarity, even if one of them is much further away in that direction.

Now that we know what cosine similarity is, how does this metric compare our documents?

from sklearn.metrics.pairwise import cosine_similarity as cs
cs(corpus, D)
array([[0.7739573],
       [1.       ],
       [1.       ],
       [1.       ]])

Both A and D are considered similar by this metric. Cosine similarity is used by many models as a measure of similarity between documents and words.

Generalizing over more dimensions

If we want to add another word to our model, we can add another dimension, which we can represent as another column in our table. Let’s add more documents with new words in them.

Document to be or not
Document A 1 10 0 0
Document B 8 8 0 0
Document C 2 2 0 0
Document D 2 2 0 0
Document E 0 2 1 1
Document F 2 2 1 1

We can keep adding dimensions for however many words we want to add. It’s easy to imagine vector space with two or three dimensions, but visualizing this mentally will rapidly become downright impossible as we add more and more words. Vocabularies for natural languages can easily reach tens of thousands of words.

Keep in mind, it’s not necessary to visualize how a high dimensional vector space looks. These relationships and formulae work over an arbitrary number of dimensions. Our methods for how to measure similarity will carry over, even if drawing a graph is no longer possible.

# add two new dimensions to our corpus
corpus = np.hstack((corpus, np.zeros((4,2))))
print(corpus)
[[ 1. 10.  0.  0.]
  [ 8.  8.  0.  0.]
  [ 2.  2.  0.  0.]
  [ 2.  2.  0.  0.]]
E = np.array([[0,2,1,1]])
F = np.array([[2,2,1,1]])

#add document E to our corpus
corpus = np.vstack((corpus, E))
print(corpus)
[[ 1. 10.  0.  0.]
  [ 8.  8.  0.  0.]
  [ 2.  2.  0.  0.]
  [ 2.  2.  0.  0.]
  [ 0.  2.  1.  1.]]

What do you think the most similar document is to document F?

cs(corpus, F)
array([[0.69224845],
        [0.89442719],
        [0.89442719],
        [0.89442719],
        [0.77459667]])

This new document seems most similar to the documents B,C and D.

This principle of using vector space will hold up over an arbitrary number of dimensions, and therefore over a vocabulary of arbitrary size.

This is the essence of vector space modeling: documents are embedded as vectors in very high dimensional space.

How we define these dimensions and the methods for feature extraction may change and become more complex, but the essential idea remains the same.

Next, we will discuss TF-IDF, which balances the above “bag of words” approach against the fact that some words are more or less interesting: whale conveys more useful information than the, for example.

Key Points

  • We model documents by plotting them in high dimensional space.

  • Distance is highly dependent on document length.

  • Documents are modeled as vectors so cosine similarity can be used as a similarity metric.


Document Embeddings and TF-IDF

Overview

Teaching: 20 min
Exercises: 10 min
Questions
  • What is a document embedding?

  • What is TF-IDF?

Objectives
  • Produce TF-IDF matrix on a corpus

  • Understand how TF-IDF relates to rare/common words

The method of using word counts is just one way we might embed a document in vector space.
Let’s talk about more complex and representational ways of constructing document embeddings.
To start, imagine we want to represent each word in our model individually, instead of considering an entire document. How individual words are represented in vector space is something called “word embeddings” and they are an important concept in NLP.

One hot encoding: Limitations

How would we make word embeddings for a simple document such as “Feed the duck”?

Let’s imagine we have a vector space with a million different words in our corpus, and we are just looking at part of the vector space below.

  dodge duck farm feather feed tan the
feed 0 0   0 0 1   0 0
the 0 0   0 0 0   0 1
duck 0 1   0 0 0   0 0
Document 0 1   0 0 1   0 1

Similar to what we did in the previous lesson, we can see that each word embedding gives a 1 for a dimension corresponding to the word, and a zero for every other dimension. This kind of encoding is known as “one hot” encoding, where a single value is 1 and all others are 0.

Once we have all the word embeddings for each word in the document, we sum them all up to get the document embedding. This is the simplest and most intuitive way to construct a document embedding from a set of word embeddings.

But does it accurately represent the importance of each word?

Our next model, TF-IDF, will embed words with different values rather than just 0 or 1.

TF-IDF Basics

Currently our model assumes all words are created equal and are all equally important. However, in the real world we know that certain words are more important than others.

For example, in a set of novels, knowing one novel contains the word the 100 times does not tell us much about it. However, if the novel contains a rarer word such as whale 100 times, that may tell us quite a bit about its content.

A more accurate model would weigh these rarer words more heavily, and more common words less heavily, so that their relative importance is part of our model.

However, rare is a relative term. In a corpus of documents about blue whales, the term whale may be present in nearly every document. In that case, other words may be rarer and more informative. How do we determine how these weights are done?

One method for constructing more advanced word embeddings is a model called TF-IDF.

TF-IDF stands for term frequency-inverse document frequency. The model consists of two parts: term frequency and inverse document frequency. We multiply the two terms to get the TF-IDF value.

Term frequency is a measure how frequently a term occurs in a document. The simplest way to calculate term frequency is by simply adding up the number of times a term occurs in a document, and dividing by the total word count in the corpus.

Inverse document frequency measures a term’s importance. Document frequency is the number of documents a term occurs in, so inverse document frequency gives higher scores to words that occur in fewer documents. This is represented by the equation:

$idf_i = ln[(N+1) / df_i] + 1$

where $N$ represents the total number of documents in the corpus, and $df_i$ represents document frequency for a particular word i. The key thing to understand is that words that occur in more documents get weighted less heavily.

We can also embed documents in vector space using TF-IDF scores rather than simple word counts. This also weakens the impact of stop-words, since due to their common nature, they have very low scores.

Now that we’ve seen how TF-IDF works, let’s put it into practice.

Worked Example: TD-IDF

Earlier, we preprocessed our data to lemmatize each file in our corpus, then saved our results for later.

Let’s load our data back in to continue where we left off:

from pandas import read_csv
data = read_csv("/content/drive/My Drive/Colab Notebooks/text-analysis/data/data.csv")

TD-IDF Vectorizer

Next, let’s load a vectorizer from sklearn that will help represent our corpus in TF-IDF vector space for us.

from sklearn.feature_extraction.text import TfidfVectorizer
vectorizer = TfidfVectorizer(input='filename', max_df=.6, min_df=.1)

Here, max_df=.6 removes terms that appear in more than 60% of our documents (overly common words like the, a, an) and min_df=.1 removes terms that appear in less than 10% of our documents (overly rare words like specific character names, typos, or punctuation the tokenizer doesn’t understand). We’re looking for that sweet spot where terms are frequent enough for us to build theoretical understanding of what they mean for our corpus, but not so frequent that they can’t help us tell our documents apart.

Now that we have our vectorizer loaded, let’s used it to represent our data.

tfidf = vectorizer.fit_transform(list(data["Lemma_File"]))
print(tfidf.shape)
(41, 9879)

Here, tfidf.shape shows us the number of rows (books) and columns (words) are in our model.

Check Your Understanding: max_df and min_df

Try different values for max_df and min_df. How does increasing/decreasing each value affect the number of columns (words) that get included in the model?

Solution

Increasing max_df results in more words being included in the more, since a higher max_df corresponds to accepting more common words in the model. A higher max_df accepts more words likely to be stopwords.

Inversely, increasing min_df reduces the number of words in the more, since a higher min_df corresponds to removing more rare words from the model. A higher min_df removes more words likely to be typos, names of characters, and so on.

Inspecting Results

We have a huge number of dimensions in the columns of our matrix (just shy of 10,000), where each one of which represents a word. We also have a number of documents (about forty), each represented as a row.

Let’s take a look at some of the words in our documents. Each of these represents a dimension in our model.

vectorizer.get_feature_names_out()[0:5]
array(['15th', '1st', 'aback', 'abandonment', 'abase'], dtype=object)

What is the weight of those words?

print(vectorizer.idf_[0:5]) # weights for each token
[2.79175947 2.94591015 2.25276297 2.25276297 2.43508453]

Let’s show the weight for all the words:

from pandas import DataFrame
tfidf_data = DataFrame(vectorizer.idf_, index=vectorizer.get_feature_names_out(), columns=["Weight"])
tfidf_data
            Weight
15th        2.791759
1st         2.945910
aback	      2.252763
abandonment	2.252763
abase	      2.435085
...	        ...
zealously	  2.945910
zenith	    2.791759
zest	      2.791759
zigzag	    2.945910
zone	      2.791759
tfidf_data.sort_values(by="Weight")

That was ordered alphabetically. Let’s try from lowest to heighest weight:

              Weight
unaccountable	1.518794
nest	        1.518794
needless	    1.518794
hundred	      1.518794
hunger	      1.518794
...	          ...
incurably	    2.945910
indecent	    2.945910
indeed	      2.945910
incantation	  2.945910
gentlest	    2.945910

Your Mileage May Vary

The results above will differ based on how you configured your tokenizer and vectorizer earlier.

Values are no longer just whole numbers such as 0, 1 or 2. Instead, they are weighted according to how often they occur. More common words have lower weights, and less common words have higher weights.

TF-IDF Summary

In this lesson, we learned about document embeddings and how they could be done in multiple ways. While one hot encoding is a simple way of doing embeddings, it may not be the best representation. TF-IDF is another way of performing these embeddings that improves the representation of words in our model by weighting them. TF-IDF is often used as an intermediate step in some of the more advanced models we will construct later.

Key Points

  • Some words convey more information about a corpus than others

  • One-hot encodings treat all words equally

  • TF-IDF encodings weigh overly common words lower


Latent Semantic Analysis

Overview

Teaching: 20 min
Exercises: 10 min
Questions
  • What is topic modeling?

  • What is Latent Semantic Analysis (LSA)?

Objectives
  • Use LSA to explore topics in a corpus

  • Produce and interpret an LSA plot

So far, we’ve learned the kinds of task NLP can be used for, preprocessed our data, and represented it as a TF-IDF vector space.

Now, we begin to close the loop with Topic Modeling.

Topic Modeling is a frequent goal of text analysis. Topics are the things that a document is about, by some sense of “about.” We could think of topics as:

In the first case, we could use machine learning to predict discrete categories, such as trying to determine the author of the Federalist Papers.

In the second case, we could try to determine the least number of topics that provides the most information about how our documents differ from one another, then use those concepts to gain insight about the “stuff” or “story” of our corpus as a whole.

In this lesson we’ll focus on this second case, where topics are treated as spectra of subject matter. There are a variety of ways of doing this, and not all of them use the vector space model we have learned. For example:

Specifically, we will be discussing Latent Semantic Analysis (LSA). We’re narrowing our focus to LSA because it introduces us to concepts and workflows that we will use in the future, in particular that of dimensional reduction.

What is dimensional reduction?

Think of a map of the Earth. The Earth is a three dimensional sphere, but we often represent it as a two dimensional shape such as a square or circle. We are performing dimensional reduction- taking a three dimensional object and trying to represent it in two dimensions.

Maps with different projections of the Earth

Why do we create maps? It can often be helpful to have a two dimensional representation of the Earth. It may be used to get an approximate idea of the sizes and shapes of various countries next to each other, or to determine at a glance what things are roughly in the same direction.

How do we create maps? There’s many ways to do it, depending on what properties are important to us. We cannot perfectly capture area, shape, direction, bearing and distance all in the same model- we must make tradeoffs. Different projections will better preserve different properties we find desirable. But not all the relationships will be preserved- some projections will distort area in certain regions, others will distort directions or proximity. Our technique will likely depend on what our application is and what we determine is valuable.

Dimensional reduction for our data is the same principle. Why do we do dimensional reduction? When we perform dimensional reduction we hope to take our highly dimensional language data and get a useful ‘map’ of our data with fewer dimensions. We have various tasks we may want our map to help us with. We can determine what words and documents are semantically “close” to each other, or create easy to visualise clusters of points.

How do we do dimensional reduction? There are many ways to do dimensional reduction, in the same way that we have many projections for maps. Like maps, different dimensional reduction techniques have different properties we have to choose between- high performance in tasks, ease of human interpretation, and making the model easily trainable are a few. They are all desirable but not always compatible. When we lose a dimension, we inevitably lose data from our original representation. This problem is multiplied when we are reducing so many dimensions. We try to bear in mind the tradeoffs and find useful models that don’t lose properties and relationships we find important. But “importance” depends on your moral theoretical stances. Because of this, it is important to carefully inspect the results of your model, carefully interpret the “topics” it identifies, and check all that against your qualitative and theoretical understanding of your documents.

This will likely be an iterative process where you refine your model several times. Keep in mind the adage: all models are wrong, some are useful, and a less accurate model may be easier to explain to your stakeholders.

LSA

The assumption behind LSA is that underlying the thousands of words in our vocabulary are a smaller number of hidden (“latent”) topics, and that those topics help explain the distribution of the words we see across our documents. In all our models so far, each dimension has corresponded to a single word. But in LSA, each dimension now corresponds to a hidden topic, and each of those in turn corresponds to the words that are most strongly associated with it.

For example, a hidden topic might be the lasting influence of the Battle of Hastings on the English language, with some documents using more words with Anglo-Saxon roots and other documents using more words with Latin roots. This dimension is “hidden” because authors don’t usually stamp a label on their books with a summary of the linguistic histories of their words. Still, we can imagine a spectrum between words that are strongly indicative of authors with more Anglo-Saxon diction vs. words strongly indicative of authors with more Latin diction. Once we have that spectrum, we can place our documents along it, then move on to the next hidden topic, then the next, and so on, until we’ve discussed the fewest, strongest hidden topics that capture the most “story” about our corpus.

LSA requires two steps- first we must create a TF-IDF matrix, which we have already covered in our previous lesson.

Next, we will perform dimensional reduction using a technique called SVD.

Worked Example: LSA

Mathematically, these “latent semantic” dimensions are derived from our TF-IDF matrix, so let’s begin there. From the previous lesson:

tfidf = vectorizer.fit_transform(list(data["Lemma_File"]))
print(tfidf.shape)
(41, 9879)

What do these dimensions mean? We have 41 documents, which we can think of as rows. And we have several thousands of tokens, which is like a dictionary of all the types of words we have in our documents, and which we represent as columns.

Now we want to reduce the number of dimensions used to represent our documents. We will use a technique called SVD to do so.

To see this, let’s begin to reduce the dimensionality of our TF-IDF matrix using SVD, starting with the greatest number of dimensions. In this case the maxiumum number of ‘topics’ corresponds to the number of documents- 42.

from sklearn.decomposition import TruncatedSVD
maxDimensions = min(tfidf.shape)-1
svdmodel = TruncatedSVD(n_components=maxDimensions, algorithm="arpack")
lsa = svdmodel.fit_transform(tfidf)
print(lsa)
[[ 3.91364432e-01 -3.38256707e-01 -1.10255485e-01 ... -3.30703329e-04
    2.26445596e-03 -1.29373990e-02]
  [ 2.83139301e-01 -2.03163967e-01  1.72761316e-01 ...  1.98594965e-04
  -4.41931701e-03 -1.84732254e-02]
  [ 3.32869588e-01 -2.67008449e-01 -2.43271177e-01 ...  4.50149502e-03
    1.99200352e-03  2.32871393e-03]
  ...
  [ 1.91400319e-01 -1.25861226e-01  4.36682522e-02 ... -8.51158743e-04
    4.48451964e-03  1.67944132e-03]
  [ 2.33925324e-01 -8.46322843e-03  1.35493523e-01 ...  5.46406784e-03
  -1.11972177e-03  3.86332162e-03]
  [ 4.09480701e-01 -1.78620470e-01 -1.61670733e-01 ... -6.72035999e-02
    9.27745251e-03 -7.60191949e-05]]

Unlike with a globe, we must make a choice of how many dimensions to cut out. We could have anywhere between 42 topics to 2.

How should we pick a number of topics to keep? Fortunately, the dimension reducing technique we used produces something to help us understand how much data each topic explains. Let’s take a look and see how much data each topic explains. We will visualize it on a graph.

import matplotlib.pyplot as plt

#this shows us the amount of dropoff in explanation we have in our sigma matrix. 
print(svdmodel.explained_variance_ratio_)

plt.plot(range(maxDimensions), svdmodel.explained_variance_ratio_ * 100)
plt.xlabel("Topic Number")
plt.ylabel("% explained")
plt.title("SVD dropoff")
plt.show()  # show first chart
[0.02053967 0.12553786 0.08088013 0.06750632 0.05095583 0.04413301
  0.03236406 0.02954683 0.02837433 0.02664072 0.02596086 0.02538922
  0.02499496 0.0240097  0.02356043 0.02203859 0.02162737 0.0210681
  0.02004    0.01955728 0.01944726 0.01830292 0.01822243 0.01737443
  0.01664451 0.0160519  0.01494616 0.01461527 0.01455848 0.01374971
  0.01308112 0.01255502 0.01201655 0.0112603  0.01089138 0.0096127
  0.00830014 0.00771224 0.00622448 0.00499762]

Image of drop-off of variance explained

Often a heuristic used by researchers to determine a topic count is to look at the dropoff in percentage of data explained by each topic.

Typically the rate of data explained will be high at first, dropoff quickly, then start to level out. We can pick a point on the “elbow” where it goes from a high level of explanation to where it starts leveling out and not explaining as much per topic. Past this point, we begin to see diminishing returns on the amount of the “stuff” of our documents we can cover quickly. This is also often a good sweet spot between overfitting our model and not having enough topics.

Alternatively, we could set some target sum for how much of our data we want our topics to explain, something like 90% or 95%. However, with a small dataset like this, that would result in a large number of topics, so we’ll pick an elbow instead.

Looking at our results so far, a good number in the middle of the “elbow” appears to be around 5-7 topics. So, let’s fit a model using only 6 topics and then take a look at what each topic looks like.

Why is the first topic, “Topic 0,” so low?

It has to do with how our SVD was setup. Truncated SVD does not mean center the data beforehand, which takes advantage of sparse matrix algorithms by leaving most of the data at zero. Otherwise, our matrix will me mostly filled with the negative of the mean for each column or row, which takes much more memory to store. The math is outside the scope for this lesson, but it’s expected in this scenario that topic 0 will be less informative than the ones that come after it, so we’ll skip it.

numDimensions = 7
svdmodel = TruncatedSVD(n_components=numDimensions, algorithm="arpack")
lsa = svdmodel.fit_transform(tfidf)
print(lsa)
[[ 3.91364432e-01 -3.38256707e-01 -1.10255485e-01 -1.57263147e-01
  4.46988327e-01  4.19701195e-02 -1.60554169e-01]
[ 2.83139301e-01 -2.03163967e-01  1.72761316e-01 -2.09939164e-01
-3.26746690e-01  5.57239735e-01 -2.77917582e-01]
[ 3.32869588e-01 -2.67008449e-01 -2.43271177e-01  2.10563091e-01
-1.76563657e-01 -2.99275913e-02  1.16776821e-02]
[ 3.08138678e-01 -2.10715886e-01  1.90232173e-01 -3.35332382e-01
-2.39294420e-01 -2.10772234e-01 -5.00250358e-02]
[ 3.05001339e-01 -2.28993064e-01  2.27384118e-01 -3.12862475e-01
-2.30273991e-01 -3.01470572e-01  2.94344505e-02]
[ 4.61714301e-01 -3.71103910e-01 -6.23885346e-02 -2.07781625e-01
  3.75805961e-01  4.62796547e-02 -2.40105061e-02]
[ 3.99078406e-01 -3.72675621e-01 -4.29488320e-01  3.21312840e-01
-2.06780567e-01 -4.79678166e-02  1.81897768e-02]
[ 2.60635143e-01 -1.90036072e-01 -1.31092747e-02 -1.38136420e-01
  1.37846031e-01  2.59831829e-02  1.28138615e-01]
[ 2.75254100e-01 -1.66002010e-01  1.51344979e-01 -2.03879356e-01
-1.97434785e-01  4.34660579e-01  3.51604210e-01]
[ 2.63962657e-01 -1.51795541e-01  1.03662446e-01 -1.32354362e-01
-8.01919283e-02  1.34144571e-01  4.40821829e-01]
[ 5.39085586e-01  5.51168135e-01 -7.25812593e-02  1.11795245e-02
-2.79031624e-04 -1.68092332e-02  5.49535679e-03]
[ 2.69952815e-01 -1.76699531e-01  5.70356228e-01  4.48630131e-01
  4.28713759e-02 -2.18545514e-02  1.29750415e-02]
[ 6.20096940e-01  6.50488110e-01 -3.76389598e-02  2.84363611e-02
  1.59378698e-02 -1.18479143e-02 -1.67609142e-02]
[ 2.39439789e-01 -1.46548125e-01  5.73647210e-01  4.48872088e-01
  6.91429226e-02 -6.62720018e-02 -5.65690665e-02]
[ 3.46673808e-01 -2.28179603e-01  4.18572442e-01  1.99567055e-01
-9.26169891e-03  1.28870542e-02  6.90447513e-02]
[ 6.16613469e-01  6.59524199e-01 -6.30672750e-02  4.21736740e-03
  1.66141337e-02 -1.39649741e-02 -9.24035248e-04]
[ 4.19959535e-01 -3.55330895e-01 -5.39327447e-02 -2.01473687e-01
  3.73339308e-01  6.42749710e-02  3.85309124e-02]
[ 3.69324851e-01 -3.45008143e-01 -3.46180574e-01  2.57048111e-01
-2.03332217e-01  8.43097532e-03 -3.03449265e-02]
[ 6.27339749e-01  1.62509554e-01  2.45818244e-02 -7.59347178e-02
-6.91425518e-02  5.45427510e-02  2.01009502e-01]
[ 3.10638955e-01 -1.27428647e-01  6.35926253e-01  4.72744826e-01
  8.18397293e-02 -5.48693117e-02 -7.44129304e-02]
[ 5.81561697e-01  6.09748220e-01 -4.20854426e-02  1.91045296e-03
  4.76425507e-03 -2.04751525e-02 -1.90787467e-02]
[ 3.25549596e-01 -2.35619355e-01  1.94586350e-01 -3.99287993e-01
-2.46239345e-01 -3.59189648e-01 -5.52938926e-02]
[ 3.88812327e-01 -3.62768914e-01 -4.48329052e-01  3.68459209e-01
-2.60646554e-01 -7.30511536e-02  3.70734308e-02]
[ 4.01431564e-01 -3.29316324e-01 -1.07594721e-01 -9.11451209e-02
  2.29891158e-01  5.14621207e-03  4.04610197e-02]
[ 1.72871962e-01 -5.46831788e-02  8.30995631e-02 -1.54834480e-01
-1.59427703e-01  3.85080042e-01 -9.72202770e-02]
[ 5.98566537e-01  5.98108991e-01 -6.66814202e-02  3.05305099e-02
  5.34360487e-03 -2.87781213e-02 -2.44070894e-02]
[ 2.59082136e-01 -1.76483028e-01  1.18735256e-01 -1.85860632e-01
-3.24030617e-01  4.76593510e-01 -3.77322924e-01]
[ 2.85857247e-01 -2.16452087e-01  1.56285206e-01 -3.83067065e-01
-2.24662519e-01 -4.59375982e-01 -1.60404615e-02]
[ 3.96454518e-01 -3.51785523e-01 -4.06191581e-01  3.09628775e-01
-1.65348903e-01 -3.42214059e-02 -8.79935957e-02]
[ 5.68307565e-01  5.79236354e-01 -2.49977438e-02 -1.65820193e-03
-1.48330776e-03  4.97525494e-04 -7.56653060e-03]
[ 3.95181458e-01 -3.43909965e-01 -1.12527848e-01 -1.54143147e-01
  4.24627540e-01  3.46146552e-02 -9.53357379e-02]
[ 7.03778529e-02 -4.53018748e-02  4.47075047e-02 -1.29319689e-02
-1.25637206e-04 -3.73101178e-03  2.26633086e-02]
[ 5.87259340e-01  5.91592344e-01 -3.06093001e-02  3.14797614e-02
  9.20390599e-03 -8.28941483e-03 -2.50957867e-02]
[ 2.90241679e-01 -1.59290104e-01  5.44614348e-01  3.72292370e-01
  2.60700775e-02  7.08606085e-03 -4.24466458e-02]
[ 3.73064985e-01 -2.83432129e-01  2.07212226e-01 -1.86820663e-02
  2.03303288e-01  1.46948739e-02  1.10489338e-01]
[ 3.80760325e-01 -3.20618500e-01 -2.67027067e-01  4.74970999e-02
  1.41382144e-01 -1.72863694e-02  8.04289208e-03]
[ 2.76029781e-01 -2.66104786e-01 -3.70078860e-01  3.35161862e-01
-2.59387443e-01 -7.34908946e-02  4.83959546e-02]
[ 2.87419636e-01 -2.05299959e-01  1.46794264e-01 -3.22859868e-01
-2.05122322e-01 -3.24165310e-01 -4.45227118e-02]
[ 1.91400319e-01 -1.25861226e-01  4.36682522e-02 -1.02268922e-01
-2.32049150e-02  1.95768614e-01  5.96553168e-01]
[ 2.33925324e-01 -8.46322843e-03  1.35493523e-01 -1.92794298e-01
-1.74616417e-01  4.49616713e-02 -1.85204985e-01]
[ 4.09480701e-01 -1.78620470e-01 -1.61670733e-01 -8.17899037e-02
  3.68899535e-01  1.60467077e-02 -2.28751397e-01]]

And put all our results together in one DataFrame so we can save it to a spreadsheet to save all the work we’ve done so far. This will also make plotting easier in a moment.

Since we don’t know what these topics correspond to yet, for now I’ll call the first topic X, the second Y, the third Z, and so on.

data[["X", "Y", "Z", "W", "P", "Q"]] = lsa[:, [1, 2, 3, 4, 5, 6]]
print(data)

Let’s also mean-center the data, so that the “average” of all our documents lies at the origin when we plot things in a moment. Otherwise, the origin would be (0,0), which is uninformative for our purposes here.

from numpy import mean
data[["X", "Y", "Z", "W", "P", "Q"]] -= data[["X", "Y", "Z", "W", "P", "Q"]].mean()
print(data)
          Author              Title  \
0       dickens        olivertwist   
1      melville               omoo   
2        austen         northanger   
3    chesterton              brown   
4    chesterton        knewtoomuch   
5       dickens    ourmutualfriend   
6        austen               emma   
7       dickens     christmascarol   
8      melville        piazzatales   
9      melville             conman   
10  shakespeare            muchado   
11        dumas      tenyearslater   
12  shakespeare               lear   
13        dumas    threemusketeers   
14        dumas        montecristo   
15  shakespeare              romeo   
16      dickens  greatexpectations   
17       austen         persuasion   
18     melville             pierre   
19        dumas   twentyyearsafter   
20  shakespeare             caesar   
21   chesterton               ball   
22       austen              pride   
23      dickens         bleakhouse   
24     melville          moby_dick   
25  shakespeare       twelfthnight   
26     melville              typee   
27   chesterton           thursday   
28       austen              sense   
29  shakespeare          midsummer   
30      dickens     pickwickpapers   
31        dumas         blacktulip   
32  shakespeare            othello   
33        dumas      maninironmask   
34      dickens    taleoftwocities   
35      dickens   davidcopperfield   
36       austen          ladysusan   
37   chesterton           napoleon   
38     melville           bartleby   
39   chesterton         whitehorse   
40      dickens          hardtimes   

                                                  Item         X         Y  \
0   python-text-analysis/data/dickens-olivertwist.... -0.261657 -0.141328   
1   python-text-analysis/data/melville-omoo.txt.le... -0.126564  0.141689   
2   python-text-analysis/data/austen-northanger.tx... -0.190409 -0.274343   
3   python-text-analysis/data/chesterton-brown.txt... -0.134116  0.159160   
4   python-text-analysis/data/chesterton-knewtoomu... -0.152394  0.196312   
5   python-text-analysis/data/dickens-ourmutualfri... -0.294504 -0.093461   
6    python-text-analysis/data/austen-emma.txt.lemmas -0.296076 -0.460560   
7   python-text-analysis/data/dickens-christmascar... -0.113437 -0.044181   
8   python-text-analysis/data/melville-piazzatales... -0.089402  0.120273   
9   python-text-analysis/data/melville-conman.txt.... -0.075196  0.072590   
10  python-text-analysis/data/shakespeare-muchado....  0.627768 -0.103653   
11  python-text-analysis/data/dumas-tenyearslater.... -0.100100  0.539284   
12  python-text-analysis/data/shakespeare-lear.txt...  0.727088 -0.068711   
13  python-text-analysis/data/dumas-threemusketeer... -0.069949  0.542575   
14  python-text-analysis/data/dumas-montecristo.tx... -0.151580  0.387500   
15  python-text-analysis/data/shakespeare-romeo.tx...  0.736124 -0.094139   
16  python-text-analysis/data/dickens-greatexpecta... -0.278731 -0.085005   
17  python-text-analysis/data/austen-persuasion.tx... -0.268409 -0.377253   
18  python-text-analysis/data/melville-pierre.txt....  0.239109 -0.006490   
19  python-text-analysis/data/dumas-twentyyearsaft... -0.050829  0.604854   
20  python-text-analysis/data/shakespeare-caesar.t...  0.686348 -0.073158   
21  python-text-analysis/data/chesterton-ball.txt.... -0.159020  0.163514   
22  python-text-analysis/data/austen-pride.txt.lemmas -0.286169 -0.479401   
23  python-text-analysis/data/dickens-bleakhouse.t... -0.252717 -0.138667   
24  python-text-analysis/data/melville-moby_dick.t...  0.021916  0.052027   
25  python-text-analysis/data/shakespeare-twelfthn...  0.674709 -0.097754   
26  python-text-analysis/data/melville-typee.txt.l... -0.099883  0.087663   
27  python-text-analysis/data/chesterton-thursday.... -0.139853  0.125213   
28  python-text-analysis/data/austen-sense.txt.lemmas -0.275186 -0.437264   
29  python-text-analysis/data/shakespeare-midsumme...  0.655836 -0.056070   
30  python-text-analysis/data/dickens-pickwickpape... -0.267310 -0.143600   
31  python-text-analysis/data/dumas-blacktulip.txt...  0.031298  0.013635   
32  python-text-analysis/data/shakespeare-othello....  0.668192 -0.061681   
33  python-text-analysis/data/dumas-maninironmask.... -0.082691  0.513542   
34  python-text-analysis/data/dickens-taleoftwocit... -0.206833  0.176140   
35  python-text-analysis/data/dickens-davidcopperf... -0.244019 -0.298099   
36  python-text-analysis/data/austen-ladysusan.txt... -0.189505 -0.401151   
37  python-text-analysis/data/chesterton-napoleon.... -0.128700  0.115722   
38  python-text-analysis/data/melville-bartleby.tx... -0.049262  0.012596   
39  python-text-analysis/data/chesterton-whitehors...  0.068136  0.104421   
40  python-text-analysis/data/dickens-hardtimes.tx... -0.102021 -0.192743   

            Z         W         P         Q  
0  -0.152952  0.466738  0.032626 -0.164769  
1  -0.205628 -0.306997  0.547896 -0.282132  
2   0.214874 -0.156814 -0.039271  0.007463  
3  -0.331021 -0.219545 -0.220116 -0.054240  
4  -0.308552 -0.210525 -0.310814  0.025220  
5  -0.203471  0.395555  0.036936 -0.028225  
6   0.325624 -0.187031 -0.057312  0.013975  
7  -0.133825  0.157595  0.016639  0.123924  
8  -0.199568 -0.177685  0.425317  0.347390  
9  -0.128043 -0.060443  0.124801  0.436607  
10  0.015490  0.019470 -0.026153  0.001281  
11  0.452941  0.062621 -0.031198  0.008760  
12  0.032747  0.035687 -0.021192 -0.020976  
13  0.453183  0.088892 -0.075616 -0.060784  
14  0.203878  0.010488  0.003543  0.064830  
15  0.008528  0.036364 -0.023309 -0.005139  
16 -0.197163  0.393089  0.054931  0.034316  
17  0.261359 -0.183583 -0.000913 -0.034560  
18 -0.071624 -0.049393  0.045199  0.196795  
19  0.477056  0.101589 -0.064213 -0.078628  
20  0.006221  0.024514 -0.029819 -0.023293  
21 -0.394977 -0.226490 -0.368533 -0.059509  
22  0.372770 -0.240897 -0.082395  0.032859  
23 -0.086834  0.249641 -0.004198  0.036246  
24 -0.150524 -0.139678  0.375736 -0.101435  
25  0.034841  0.025093 -0.038122 -0.028622  
26 -0.181550 -0.304281  0.467250 -0.381538  
27 -0.378756 -0.204913 -0.468720 -0.020255  
28  0.313940 -0.145599 -0.043565 -0.092208  
29  0.002653  0.018266 -0.008846 -0.011781  
30 -0.149832  0.444377  0.025271 -0.099550  
31 -0.008621  0.019624 -0.013075  0.018449  
32  0.035791  0.028953 -0.017633 -0.029310  
33  0.376603  0.045819 -0.002258 -0.046661  
34 -0.014371  0.223053  0.005351  0.106275  
35  0.051808  0.161132 -0.026630  0.003828  
36  0.339473 -0.239638 -0.082835  0.044181  
37 -0.318549 -0.185373 -0.333509 -0.048737  
38 -0.097958 -0.003455  0.186425  0.592339  
39 -0.188483 -0.154867  0.035618 -0.189420  
40 -0.077479  0.388649  0.006703 -0.232966  

Finally, let’s save our progress so far.

data.to_csv("/content/drive/My Drive/Colab Notebooks/text-analysis/data/data.csv", index=False)
data.to_xlsx("/content/drive/My Drive/Colab Notebooks/text-analysis/data/data.xlsx", index=False)

Inspecting LSA Results

Plotting

Let’s plot the results, using a helper we prepared for learners. We’ll focus on the X and Y topics for now to illustrate the workflow. We’ll return to the other topics in our model as a further exercise.

from helpers import lsa_plot
lsa_plot(data, svdmodel)

Plot results of our LSA model

What do you think these X and Y axes are capturing, conceptually?

To help figure that out, lets color-code by author to see if any patterns are immediately apparent.

colormap = {
    "austen": "red",
    "chesterton": "blue",
    "dickens": "green",
    "dumas": "orange",
    "melville": "cyan",
    "shakespeare": "magenta"
}

lsa_plot(data, svdmodel, groupby="Author", colors=colormap)

Plot results of our LSA model, color-coded by author

It seems that some of the books by the same author are clumping up together in our plot.

We don’t know why they are getting arranged this way, since we don’t know what more concepts X and Y correspond to. But we can work do some work to figure that out.

Topics

Let’s write a helper to get the strongest words for each topic. This will show the terms with the highest and lowest association with a topic. In LSA, each topic is a spectra of subject matter, from the kinds of terms on the low end to the kinds of terms on the high end. So, inspecting the contrast between these high and low terms (and checking that against our domain knowledge) can help us interpret what our model is identifying.

def show_topics(topic, n):
    terms = vectorizer.get_feature_names_out()
    weights = svdmodel.components_[topic]
    df = pandas.DataFrame({"Term": terms, "Weight": weights})
    tops = df.sort_values(by=["Weight"], ascending=False)[0:n]
    bottoms = df.sort_values(by=["Weight"], ascending=False)[-n:]
    return pandas.concat([tops, bottoms])

topic_words_x = show_topics(1, 5)
topic_words_y = show_topics(2, 5)

You can also use a helper we prepared for learners:

from helpers import show_topics
topic_words_x = show_topics(vectorizer, svdmodel, topic_number=1, n=5)
topic_words_y = show_topics(vectorizer, svdmodel, topic_number=2, n=5)

Either way, let’s look at the terms for the X topic.

What does this topic seem to represent to you? What’s the contrast between the top and bottom terms?

print(topic_words_x)
            Term    Weight
8718        thou  0.369606
4026        hath  0.368384
3104        exit  0.219252
8673        thee  0.194711
8783         tis  0.184968
9435          ve -0.083406
555   attachment -0.090431
294           am -0.103122
5312          ma -0.117927
581         aunt -0.139385

And the Y topic.

What does this topic seem to represent to you? What’s the contrast between the top and bottom terms?

print(topic_words_y)
            Term    Weight
1221    cardinal  0.269191
5318      madame  0.258087
6946       queen  0.229547
4189       honor  0.211801
5746   musketeer  0.203572
294           am -0.112988
5312          ma -0.124932
555   attachment -0.150380
783    behaviour -0.158139
581         aunt -0.216180

Now that we have names for our first two topics, let’s redo the plot with better axis labels.

lsa_plot(data, svdmodel, groupby="Author", colors=colormap, xlabel="Victorian vs. Elizabethan", ylabel="English vs. French")

Plot results of our LSA model, revised with new axis labels

Check Your Understanding: Intrepreting LSA Results

Let’s repeat this process with the other 4 topics, which we tentatively called Z, W, P, and Q.

In the first two topics (X and Y), some authors were clearly separated, but others overlapped. If we hadn’t color coded them, we wouldn’t be easily able to tell them apart.

But in remaining topics, different combinations of authors get pulled apart or together. This is because these topics (Z, W, P, and Q) highlight different features of the data, independent of the features we’ve already captured above.

Take a few moments to work through the steps above for the remaining dimensions Z, W, P, and Q, and chat with one another about what you think the topics being represented are.

Key Points

  • Topic modeling helps explore and describe the content of a corpus

  • LSA defines topics as spectra that the corpus is distributed over

  • Each dimension (topic) in LSA corresponds to a contrast between positively and negatively weighted words


Intro to Word Embeddings

Overview

Teaching: 40 min
Exercises: 5 min
Questions
  • How can we extract vector representations of individual words rather than documents?

  • What sort of research questions can be answered with word embedding models?

Objectives
  • Understand the difference between document embeddings and word embeddings

  • Introduce the Gensim python library and its word embedding functionality

  • Explore vector math with word embeddings using pretrained models

  • Visualize word embeddings with the help of principal component analysis (PCA)

  • Discuss word embedding use-cases

Load pre-trained model via Gensim

First, load the Word2Vec embedding model. The Word2Vec model takes 3-10 minutes to load.

We’ll be using the Gensim library. The Gensim library comes with several word embedding models including Word2Vec, GloVe, and fastText. We’ll start by exploring one of the pre-trained Word2Vec models. We’ll discuss the other options later in this lesson.

If you can’t get the below word2vec model to load quickly enough, you can use the GloVe model, instead. The GloVe model produces word embeddings that are often very similar to Word2Vec. GloVe can be loaded with:wv = api.load('glove-wiki-gigaword-50')

# RUN BEFORE INTRO LECTURE :)

# api to load word2vec models
import gensim.downloader as api

# takes 3-10 minutes to load
wv = api.load('word2vec-google-news-300') # takes 3-10 minutes to load 

Document/Corpus Embeddings Recap

So far, we’ve seen how word counts, TF-IDF, and LSA can help us embed a document or set of documents into useful vector spaces that allow us to gain insights from text data. Let’s review the embeddings covered thus far…

LSA vs TF-IDF

Compared to TF-IDF, the text representations (a.k.a. embeddings) produced by LSA are arguably more useful since LSA can reveal some of the latent topics referenced throughout a corpus. While LSA gets closer to extracting some of the interesting features of text data, it is limited in the sense that it is a “bag of words” method. That is, it pays no attention to the context in which words appear. Instead, it focuses only on word co-occurrence patterns within and across documents. While such an approach is effective for revealing topics/concepts, additional features of language may be revealed by zooming in on the context in which words appear throughout a text.

Distributional hypothesis: extracting more meaningful representations of text

As the famous linguist JR Firth once said, “You shall know a word by the company it keeps.” Firth is referring to the distributional hypothesis, which states that words that repeatedly occur in similar contexts probably have similar meanings. While the LSA methodology is inspired by the distributional hypothesis, LSA ignores the context of words as they appear in sentences and only pays attention to global word co-occurence patterns across large chunks of texts. If we want to truly know a word based on the company it keeps, we’ll need to take into account how some words are more likely to appear before/after other words in a sentence. We’ll explore how one of the most famous embedding models, Word2Vec, does this in this episode.

Word embeddings with Word2Vec

Word2vec is a famous word embedding method that was created and published in 2013 by a team of researchers led by Tomas Mikolov at Google over two papers, [1, 2]. Unlike with TF-IDF and LSA, which are typically used to produce document and corpus embeddings, Word2Vec focuses on producing a single embedding for every word encountered in a corpus. These embeddings, which are represented as high-dimesional vectors, tend to look very similar for words that are used in similar contexts.

We’ll unpack the technology behind Word2Vec in the next episode (spoiler alert: it uses artificial neural networks). For now, it is sufficient to be aware of two key properties of the model.

  1. Word2Vec is a machine learning model that generates high-dimensional representations of words based on observing a word’s most likely surrounding words in multiple sentences (dist. hypothesis). For instance, notice how in the example sentences given below, the word outside tends to be surrounded by words associated with the outdoors.

    • It’s a beautiful day outside, perfect for a picnic.
    • My cat loves to spend time outside, chasing birds and bugs.
    • The noise outside woke me up early this morning.
    • I always feel more relaxed after spending some time outside in nature.
    • I can hear the rain pouring outside, it’s a good day to stay indoors.
    • The sun is shining brightly outside, it’s time to put on some sunscreen.
    • I saw a group of kids playing outside in the park.
    • It’s not safe to leave your belongings outside unattended.
    • I love to go for a walk outside after dinner to help me digest.
    • The temperature outside is dropping, I need to grab a jacket before I leave.
  2. The vectors produced by the model are a reflection of the model’s past experience (i.e., the specific data the model was “trained” on). This means that the vectors extracted from the model will reflect, on average, how words are used in a specific text.

With that said, let’s see what we can do with meaningful word vectors. The pre-trained model we loaded earlier was trained on a Google News dataset (about 100 billion words). We loaded this model as the variable wv earlier. Let’s check the type of this object.

print(type(wv))
<class 'gensim.models.keyedvectors.KeyedVectors'>

Gensim stores “KeyedVectors” representing the Word2Vec model. They’re called keyed vectors because you can use words as keys to extract the corresponding vectors. Let’s take a look at the vector representaton of whale.

wv['whale'] 
array([ 0.08154297,  0.41992188, -0.44921875, -0.01794434, -0.24414062,
       -0.21386719, -0.16796875, -0.01831055,  0.32421875, -0.09228516,
       -0.11523438, -0.5390625 , -0.00637817, -0.41601562, -0.02758789,
        0.04394531, -0.15039062, -0.05712891, -0.03344727, -0.10791016,
        0.14453125,  0.17480469,  0.18847656,  0.02282715, -0.05688477,
       -0.13964844,  0.01379395,  0.296875  ,  0.53515625, -0.2421875 ,
       -0.22167969,  0.23046875, -0.20507812, -0.23242188,  0.0123291 ,
        0.14746094, -0.12597656,  0.25195312,  0.17871094, -0.00106812,
       -0.07080078,  0.10205078, -0.08154297,  0.25390625,  0.04833984,
       -0.11230469,  0.11962891,  0.19335938,  0.44140625,  0.31445312,
       -0.06835938, -0.04760742,  0.37890625, -0.18554688, -0.03063965,
       -0.00386047,  0.01062012, -0.15527344,  0.40234375, -0.13378906,
       -0.00946045, -0.06103516, -0.08251953, -0.44335938,  0.29101562,
       -0.22753906, -0.29296875, -0.13671875, -0.08349609, -0.25585938,
       -0.12060547, -0.16113281, -0.27734375,  0.01318359, -0.23730469,
        0.0300293 ,  0.01348877, -0.07226562, -0.02429199, -0.18945312,
        0.05419922, -0.12988281,  0.26953125, -0.11669922,  0.01000977,
        0.05883789, -0.03515625, -0.09375   ,  0.35742188, -0.1875    ,
       -0.06347656,  0.44726562,  0.05761719,  0.3125    ,  0.06347656,
       -0.24121094,  0.3125    ,  0.31054688,  0.11132812, -0.08447266,
        0.06445312, -0.02416992,  0.16113281, -0.1875    ,  0.2109375 ,
       -0.05981445,  0.00524902,  0.13964844,  0.09765625,  0.06835938,
       -0.43945312,  0.01904297,  0.33007812,  0.12011719,  0.08251953,
       -0.08642578,  0.02270508, -0.09472656, -0.21289062,  0.01092529,
       -0.05493164,  0.0625    , -0.0456543 ,  0.06347656, -0.14160156,
       -0.11523438,  0.28125   , -0.09082031, -0.46679688,  0.11035156,
        0.07275391,  0.12988281, -0.32421875,  0.10595703,  0.13085938,
       -0.29101562,  0.02880859,  0.07568359, -0.03637695,  0.16699219,
        0.15917969, -0.08007812,  0.109375  ,  0.4140625 ,  0.30859375,
        0.22558594, -0.22070312,  0.359375  ,  0.08105469,  0.21386719,
        0.59765625,  0.01782227, -0.5859375 ,  0.21777344,  0.18164062,
       -0.08398438,  0.07128906, -0.27148438, -0.11230469, -0.00915527,
        0.10400391,  0.19628906,  0.09912109,  0.09667969,  0.24414062,
       -0.11816406,  0.02758789, -0.26757812, -0.07421875,  0.20410156,
       -0.140625  , -0.03515625,  0.22265625,  0.32226562, -0.18066406,
       -0.30078125, -0.05981445,  0.34765625, -0.2578125 ,  0.0546875 ,
       -0.05541992, -0.46289062, -0.18945312,  0.00668335,  0.15429688,
        0.07275391,  0.07373047, -0.07275391,  0.09765625,  0.03491211,
       -0.33203125, -0.14257812, -0.23046875, -0.13085938, -0.0035553 ,
        0.28515625,  0.25390625, -0.05102539,  0.01318359, -0.16113281,
        0.12353516, -0.39257812, -0.42578125, -0.2578125 , -0.15332031,
       -0.01403809,  0.21972656, -0.04296875,  0.04907227, -0.328125  ,
       -0.46484375,  0.00546265,  0.17089844, -0.10449219, -0.38476562,
        0.13378906,  0.65625   , -0.22363281,  0.15039062,  0.19824219,
        0.3828125 ,  0.10644531,  0.38671875, -0.11816406, -0.00616455,
       -0.19628906,  0.04638672,  0.20507812,  0.36523438,  0.04174805,
        0.45117188, -0.29882812, -0.09228516, -0.31835938,  0.15234375,
       -0.07421875,  0.07128906,  0.25195312,  0.14746094,  0.27148438,
        0.4609375 , -0.4375    ,  0.10302734, -0.49414062, -0.01342773,
       -0.20019531,  0.0456543 ,  0.0402832 , -0.11181641,  0.01489258,
       -0.7421875 , -0.0055542 , -0.21582031, -0.15527344,  0.29296875,
       -0.05981445,  0.02905273, -0.08105469, -0.03955078, -0.17089844,
        0.07080078,  0.00671387, -0.17285156,  0.08544922, -0.11621094,
        0.10253906, -0.24316406, -0.04882812,  0.20410156, -0.27929688,
       -0.21484375,  0.07470703,  0.11767578,  0.6640625 ,  0.29101562,
        0.02404785, -0.65234375,  0.13378906, -0.01867676, -0.07373047,
       -0.18359375, -0.0201416 ,  0.29101562,  0.06640625,  0.04077148,
       -0.10888672,  0.15527344,  0.12792969,  0.375     ,  0.2890625 ,
        0.30078125, -0.15625   , -0.05224609, -0.19042969,  0.10595703,
        0.078125  ,  0.29882812,  0.34179688,  0.04248047,  0.03442383],
      dtype=float32)

We can also check the shape of this vector with…

print(wv['whale'].shape) 
(300,)

In this model, each word has a 300-dimensional representation. You can think of these 300 dimensions as 300 different features that encode a word’s meaning. Unlike LSA, which produces (somewhat) interpretable features (i.e., topics) relevant to a text, the features produced by Word2Vec will be treated as a black box. That is, we won’t actually know what each dimension of the vector represents. However, if the vectors have certain desirable properties (e.g., similar words produce similar vectors), they can still be very useful. Let’s check this with the help of the cosine similarity measure.

Cosine Similarity (Review): Recall from earlier in the workshop that cosine similarity helps evaluate vector similarity in terms of the angle that separates the two vectors, irrespective of vector magnitude. It can take a value ranging from -1 to 1, with…

Words that occur in similar contexts should have similar vectors/embeddings. How similar are the word vectors representing whale and dolphin?

wv.similarity('whale','dolphin')
0.77117145

How about whale and fish?

wv.similarity('whale','fish')
0.55177623

How about whale and… potato?

wv.similarity('whale','potato')
0.15530972

Our similarity scale seems to be on the right track. We can also use the similarity function to quickly extract the top N most similar words to whale.

wv.most_similar(positive=['whale'], topn=10)
[('whales', 0.8474178910255432),
 ('humpback_whale', 0.7968777418136597),
 ('dolphin', 0.7711714506149292),
 ('humpback', 0.7535837292671204),
 ('minke_whale', 0.7365031838417053),
 ('humpback_whales', 0.7337379455566406),
 ('dolphins', 0.7213870882987976),
 ('humpbacks', 0.7138717174530029),
 ('shark', 0.7011443376541138),
 ('orca', 0.7007412314414978)]

Based on our ability to recover similar words, it appears the Word2Vec embedding method produces fairly good (i.e., semantically meaningful) word representations.

Exploring Words With Multiple Meanings

Use Gensim’s most_similar function to find the top 10 most similar words to each of the following words (separately): “bark”, “pitcher”, “park”. Note that all of these words have multiple meanings depending on their context. Does Word2Vec capture the meaning of these words well? Why or why not?

Solution

Based on these three lists, it looks like Word2Vec is biased towards representing the predominant meaning or sense of a word. In fact, the Word2Vec does not explicitly differentiate between multiple meanings of a word during training. Instead, it treats each occurrence of a word in the training corpus as a distinct symbol, regardless of its meaning. As a result, resulting embeddings may be biased towards the most frequent meaning or sense of a word. This is because the more frequent a word sense appears in the training data, the more opportunities the algorithm has to learn its representation.

Note that while this can be a limitation of Word2Vec, there are some techniques that can be applied to incorporate word sense disambiguation. One common approach is to train multiple embeddings for a word, where each embedding corresponds to a specific word sense. This can be done by pre-processing the training corpus to annotate word senses, and then training Word2Vec embeddings separately for each sense. This approach allows Word2Vec to capture different word senses as separate vectors, effectively representing the polysemy of the word.

Word2Vec Applications in Digital Humanities

From the above exercise, we see that the vectors produced by Word2Vec will reflect how words are typically used in a specific dataset. By training Word2Vec on large corpora of text from historical documents, literary works, or cultural artifacts, researchers can uncover semantic relationships between words and analyze word usage patterns over time, across genres, or within specific cultural contexts.

Taking this into consideration, what are some possible ways we could make use of Word2Vec to explore newspaper articles from the years 1900-2000?

Solution

One possible approach with this data is to investigate how the meaning of certain words can evolve over time by training separate models for different chunks of time (e.g., 1900-1950, 1951-2000, etc.). A few words that have changed their meaning over time include:

  • Nice: This word used to mean “silly, foolish, simple.”
  • Silly: In its earliest uses, it referred to things worthy or blessed; from there it came to refer to the weak and vulnerable, and more recently to those who are foolish.
  • Awful: Awful things used to be “worthy of awe”.

We’ll explore how training a Word2Vec model on specific texts can yield insights into those texts later in this lesson.

Adding and Subtracting Vectors: King - Man + Woman = Queen

We can also add and subtract word vectors to reveal latent meaning in words. As a canonical example, let’s see what happens if we take the word vector representing King, subtract the Man vector from it, and then add the Woman vector to the result. We should get a new vector that closely matches the word vector for Queen. We can test this idea out in Gensim with:

print(wv.most_similar(positive=['woman','king'], negative=['man'], topn=3))
[('queen', 0.7118193507194519), ('monarch', 0.6189674139022827), ('princess', 0.5902431011199951)]

Behind the scenes of the most_similar function, Gensim first unit normalizes the length of all vectors included in the positive and negative function arguments. This is done before adding/subtracting, which prevents longer vectors from unjustly skewing the sum. Note that length here refers to the linear algebraic definition of summing the squared values of each element in a vector followed by taking the square root of that sum.

Visualizing word vectors with PCA

Similar to how we visualized our texts in the previous lesson to show how they relate to one another, we can visualize how a sample of words relate by plotting their respecitve word vectors.

Let’s start by extracting some word vectors from the pre-trained Word2Vec model.

import numpy as np
words = ['man','woman','boy','girl','king','queen','prince','princess']
sample_vectors = np.array([wv[word] for word in words])
sample_vectors.shape # 8 words, 300 dimensions 
(8, 300)

Recall that each word vector has 300 dimensions that encode a word’s meaning. Considering humans can only visualize up to 3 dimensions, this dataset presents a plotting challenge. We could certainly try plotting just the first 2 dimensions or perhaps the dimensions with the largest amount of variability, but this would overlook a lot of the information stored in the other dimensions/variables. Instead, we can use a dimensionality-reduction technique known as Principal Component Analysis (PCA) to allow us to capture most of the information in the data with just 2 dimensions.

Principal Component Analysis (PCA)

Principal Component Analysis (PCA) is a data transformation technique that allows you to linearly combine a set of variables from a matrix (N observations and M variables) into a smaller set of variables called components. Specifically, it remaps the data onto new dimensions that are strictly orthogonal to one another and can be ordered according to the amount of information or variance they carry. The allows you to easily visualize most of the variability in the data with just a couple of dimensions.

We’ll use scikit-learn’s (a popular machine learning library) PCA functionality to explore the power of PCA, and matplotlib as our plotting library.

from sklearn.decomposition import PCA
import matplotlib.pyplot as plt

In the code below, we will assess how much variance is stored in each dimension following PCA. The new dimensions are often referred to as principal components or eigenvectors, which relates to the underlying math behind this algorithm.

Notice how the first two dimensions capture around 70% of the variability in the dataset.

pca = PCA() # init PCA object
pca.fit(sample_vectors) # the fit function determines the new dimensions or axes to represent the data -- the result is sent back to the pca object

# plot variance explained by each new dimension (principal component)
plt.figure()
plt.plot(pca.explained_variance_ratio_*100,'-o')
plt.xlabel("Principal Components")
plt.ylabel("% Variance Explained")
plt.savefig("wordEmbeddings_word2vecPCAvarExplained.jpg")

PCA Variance Explained

We can now use these new dimensions to transform the original data.

# transform the data
result = pca.transform(sample_vectors)

Once transformed, we can plot the first two principal components representing each word in our list: ['man', 'woman', 'boy', 'girl', 'king', 'queen', 'prince', 'princess']

plt.figure()
plt.scatter(result[:,0], result[:,1])
for i, word in enumerate(words):
  plt.annotate(word, xy=(result[i, 0], result[i, 1]))

plt.xlabel("PC1")
plt.ylabel("PC2")
plt.show()

Visualizing Word Embeddings with PCA

Note how the principal component 1 seems to represent the royalty dimension, while the principal component 2 seems to represent male vs female.

Recap

In summary, Word2Vec is a powerful text-embedding method that allows researchers to explore how different words relate to one another based on past observations (i.e., by being trained on a large list of sentences). Unlike LSA, which produces topics as features of the text to investigate, Word2Vec produces “black-box” features which have to be compared relative to one another. By training Word2Vec text from historical documents, literary works, or cultural artifacts, researchers can uncover semantic relationships between words and analyze word usage patterns over time, across genres, or within specific cultural contexts.

In the next section, we’ll explore the technology behind Word2Vec before training a Word2Vec model on some of the text data used in this workshop.

Key Points

  • Word emebddings can help us derive additional meaning stored in text at the level of individual words

  • Word embeddings have many use-cases in text-analysis and NLP related tasks


The Word2Vec Algorithm

Overview

Teaching: 45 min
Exercises: 0 min
Questions
  • How does the Word2Vec model produce meaningful word embeddings?

  • How is a Word2Vec model trained?

Objectives
  • Introduce artificial neural networks and their structure.

  • Understand the two training methods employed by the Word2Vec, CBOW and Skip-gram.

We could spend an entire workshop on neural networks (see here and here for a couple of related lessons). Here, we will distill some of the most important concepts needed to understand them in the context of text-analysis.

Mapping inputs to outputs using neural networks

How is it that Word2Vec is able to represent words in such a semantically meaningful way? The key technology behind Word2Vec is an artificial neural network. Neural networks are highly prevalent in many fields now due to their exceptional ability to learn functions that can map a set of input features to some output (e.g., a label or predicted value for some target variable). Because of this general capability, they can be used for a wide assortment of tasks including…

Supervised learning

Most machine learning systems “learn” by taking tabular input data with N observations (rows), M features (cols), and an associated output (e.g., a class label or predicted value for some target variable), and using it to form a model. The maths behind the machine learning doesn’t care what the data is as long as it can represented numerically or categorised. When the model learns this function based on observed data, we call this “training” the model.

Training Dataset Example

As a example, maybe we have recorded tail lengths, weights, and snout lengths from a disorganized vet clinic database that is missing some of the animals’ labels (e.g., cat vs dog). For simplicity, let’s say that this vet clinic only treats cats and dogs. With the help of neural networks, we could use a labelled dataset to learn a function mapping from tail length, weight, and snout length to the animal’s species label (i.e., a cat or a dog).

Tail length (in) Weight (lbs) Snout length (in) Label
12.2 10.1 1.1 cat
11.6 9.8 .82 cat
9.5 61.2 2.6 dog
9.1 65.7 2.9 dog
11.2 12.1 .91 cat

In the above table used to train a neural network model, the model learns how best to map the observed features (tail length, weight, and snout length) to their assigned classes. After the model is trained, it can be used to infer the labels of unlabelled samples (so long as they hae tail length, weight, and snouth length recorded).

The Perceptron

Single artificial neuron

The diagram above shows a perceptron — the computational unit that makes up artificial neural networks. Perceptrons are inspired by real biological neurons. From the diagram, we can see that the perceptron…

The goal then is to determine what specific weight values will allow us to separate the two classes based on the input features (e.g., shown below).

Linear Decision Boundary

Image Source

In order to determine the optimal weights, we will need to “train” the model on a labelled “training” dataset. As we pass each observation in the training data to the model, the model is able to adjust its weights in a direction that leads better performance. By training the model on many observations, we can derive weights that can accurately classify cats and dogs based on the observed input features. More explicitly, its training method can be outlined as follows:

Training algorithm

  1. Initialize weights: The perceptron model starts with randomly initialized weights. These weights are the parameters/coefficients that the model will learn during training to make accurate predictions.

  2. Input data: The perceptron model takes in the input data, which consists of feature vectors representing the input samples, and their corresponding labels or target values.

  3. Compute weighted sum: The model computes the weighted sum of the input features by multiplying the feature values with their corresponding weights, and summing them up. This is followed by adding the bias term.

  4. Activation function: The perceptron model applies an activation function, typically a step function or a threshold function, to the computed weighted sum. The activation function determines the output of the perceptron, usually producing a binary output of 0 or 1.

  5. Compare with target label: The output of the perceptron is compared with the target label of the input sample to determine the prediction error. If the prediction is correct, no weight updates are made. If the prediction is incorrect, the weights and bias are updated to minimize the error.

  6. Update weights: The perceptron model updates the weights based on a learning rate and the prediction error. The learning rate determines the step size of the weight updates, and it is a hyperparameter that needs to be tuned. The weights are updated using the formula:

weight_new = weight_old + learning_rate * (target - prediction) * feature

Perceptron limitations

A single perceptron cannot solve any function that is not linearly separable, meaning that we need to be able to divide the classes of inputs and outputs with a straight line. To overcome this key limitation of the perceptron (a single aritifical neuron), we need to stack together multiple perceptrons in a hierarchical fashion. Such models are referred to as multilayer perceptrons or simply neural networks

The multilayer perceptron (MLP)

To overcome the limitation of the perceptron, we can stack together multiple perceptrons in a multilayer neural network (shown below) called a multilayer perceptron (MLP). An MLP refers to a type of artificial neural network (ANN) that consists of multiple layers of interconnected nodes (neurons) organized in a feedforward manner. It typically has one or more hidden layers between the input and output layers, with each hidden layer applying an activation function to the weighted sum of its inputs. By stacking together layers of perceptrons, the MLP model can learn complex non-linear relationships in the data and make predictions based on those learned patterns.

Multilayer neural network

In the diagram above, the general structure of a multilayer neural network is shown with…

Training algorithm

Similar to the perceptron, the MLP is trained using a supervised learning algorithm that updates the weights iteratively based on the prediction error of each training sample.

  1. Initialization: The network’s weights are randomly initialized.
  2. Forward Propagation: Input data is fed through the network from input nodes to output nodes, with weights applied at each connection, and the output is computed.
  3. Error Calculation: The difference between the predicted output and the actual output (target) is calculated as the error.
  4. Backpropagation: The error is propagated backward through the network, and the weights are adjusted to minimize the error.
  5. Iterative Process: Steps 2-4 are repeated for multiple iterations or epochs, with input data fed through the network and weights updated until the network’s performance converges to a satisfactory level.
  6. Function Mapping: Once the network is trained, it can be used to map new input data to corresponding outputs, leveraging the learned weights.

Deriving New Features from Neural Networks

After training a neural network, the neural weights encode new features of the data that are conducive to performing well on whatever task the neural network is given. This is due to the feedforward processing built into the network — the outputs of previous layers are sent to subsequent layers, and the so additional transformations get applied to the original inputs as they transcend the network.

Generally speaking, the deeper the neural network is, the more complicated/abstract these features can become. We call this a hierarchical feature representation. For example, in deep convolutional neural networks (a special kind of neural network designed for image processing), the features in each layer look something like the image shown below when the model is trained on a facial recognition task.

Hierarchical Feature Representations - Face Detection

Training Word2Vec to Learn Word Embeddings

Recall that the ultimate goal of the Word2Vec method is to output meaningful word embeddings/vectors. How can we train a neural network for such a task? We could try to tediously hand-craft a large list of word vectors that have the properties we seek (e.g., similar words have similar vectors), and then train a neural network to learn this mapping before applying it to new words. However, crafting a list of vectors manually would be an arudous task. Furthermore, it is not immediately clear what kind of vector representation would be best.

Instead, we can capitalize on the fact that neural networks are well posed to learn new features from the input data. Specifically, the new features will be features that are useful for whatever task the model is assigned. With this consideration, we can devise a language related task that allows a neural network model to learn interesting features of words which can then be extracted from the model as a word embedding representation (i.e., a vector). We’ll unpack how the embedding gets extracted from the trained model shortly. For now, let’s focus on what kind of language-related task to give the model.

Predicting context words

What task can we give a neural network to learn meaningful word embeddings? Our friend RJ Firth gives us a hint when he says, “You shall know a word by the company it keeps.” Using the distributional hypothesis as motivation, which states that words that repeatedly occur in similar contexts probably have similar meanings, we can ask a neural network to predict the context words that surround a given word in a sentence. The Skip-gram algorithm shown on the right side of the below diagram does just that.

Skipgram

Sentence Processing With Skip-Gram

The Skip-gram version takes as input each word in a sentence, and tries to guess the most likely surrounding context words associated with that word. It does this for all sentences and words in a corpus in order to learn a function that can map each word to its most likely context words.

Have a very nice day.

Input Output (context words)
Have a, very
a Have, very, nice
very Have, a, nice, day
nice a, very, day
day very, nice

In the process of training, the model’s weights learn to derive new features (weight optimized perceptrons) associated with the input data (single words). These new learned features will be conducive to accurately predicting the context words for each word. We will see next how we can extract these features as word vectors.

Extracting Word Embeddings From the Model

With a model trained to predict context words, how can we extract the model’s learned features as word embeddings? For this, we need a set of model weights associated with each word fed into the model. We can achieve this property by:

  1. Converting each input word into a one-hot encoded vector representation. The vector dimensionality will be equal to the size of the vocabularly contained in the training data.
  2. Connecting each element of the one-hot encoded vector to each node/neuron in the subsequent hidden layer of neurons

These steps can be visualized in the Word2Vec model diagram shown below, with Sigmas representing individual neurons and their ability to integrate input from previous layers.

Word2Vec Model Architecture (Skip-gram)

Image Source

In the above digram, we can see…

The word vectors, themselves, are stored in the weights connecting the input layer to the hidden layer of neurons. Each word will have its own set of learned weights which we call word vectors. You can think of each element of the word vectors as encoding different features which are relevant to the prediction task at hand — predicting context words.

Continuous Bag-of-Words (CBOW)

Image from Word2Vec research paper, by Mikolov et al

Before wrapping up with the mechanisms underlying the Word2Vec model, it is important to mention that the Skip-gram algorithm is not the only way to train word embeddings using Word2Vec. A similar method known as the Continuous Bag-of-Words (CBOW) takes as an input the context words surrounding a target word, and tries to guess the target word based on those words. Thus, it flips the prediction task faced by Skip-gram. The CBOW algorithm does not care how far away different context words are from the target word, which is why it is called a bag-of-words method. With this task setup, the neural network will learn a function that can map the surrounding context words to a target word. Similar to Skip-gram, the CBOW method will generate word vectors stored as weights of the neural network. However, given the slight adjustment in task, the weights extracted from CBOW are the ones that connect the hidden layer of neurons to the output layer.

CBOW vs Skip-gram

Since there are two popular word2vec training methods, how should we decide which one to pick? Like with many things in machine learning, the best course of action is typically to take a data-driven approach to see which one works better for your specific application. However, as general guidelines according to Mikolov et al.,

  1. Skip-Gram works well with smaller datasets and has been found to perform better in terms of its ability to represent rarer words
  2. CBOW trains several times faster than Skip-gram and has slightly better accuracy for more frequent words

Recap

Artificial neural networks are powerful machine learning models that can learn to map input data containing features to a predicted label or continuous value. In addition, neural networks learn to encode the input data as hierarchical features of the text during training. The Word2Vec model exploits this capability, and trains the model on a word prediction task in order to generate features of words which are conducive to the prediction task at hand.

In the next episode, we’ll train a Word2Vec model using both training methods and empirically evaluate the performance of each. We’ll also see how training Word2Vec models from scratch (rather than using a pretrained model) can be beneficial in some circumstances.

Key Points

  • Artificial neural networks (ANNs) are powerful models that can approximate any function given sufficient training data.

  • The best method to decide between training methods (CBOW and Skip-gram) is to try both methods and see which one works best for your specific application.


Training Word2Vec

Overview

Teaching: 45 min
Exercises: 20 min
Questions
  • How can we train a Word2Vec model?

  • When is it beneficial to train a Word2Vec model on a specific dataset?

Objectives
  • Understand the benefits of training a Word2Vec model on your own data rather than using a pre-trained model

Colab Setup

Run this code to enable helper functions.

# Run this cell to mount your Google Drive.
from google.colab import drive
drive.mount('/content/drive')

# Set workshop directory
from os import listdir
wksp_dir = '/content/drive/My Drive/Colab Notebooks/text-analysis'

# Add helper functions to colab's path
import sys
helper_path = wksp_dir + '/code'
sys.path.insert(0, helper_path)

# Check that helper directory is correct
listdir(helper_path)
Mounted at /content/drive
['analysis.py',
 'pyldavis.py',
 '.gitkeep',
 'helpers.py',
 'preprocessing.py',
 'attentionviz.py',
 'mit_restaurants.py',
 'plotfrequency.py',
 '__pycache__']

Load in the data

Create list of files we’ll use for our analysis. We’ll start by fitting a word2vec model to just one of the books in our list — Moby Dick.

# pip install necessary to access parse module (called from helpers.py)
!pip install parse

Get list of files available to analyze

from helpers import create_file_list 
data_dir = wksp_dir + '/data/books/'
corpus_file_list = create_file_list(data_dir, "*.txt")
corpus_file_list[0:5]
['/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/dickens-bleakhouse.txt',
 '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/dumas-blacktulip.txt',
 '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/austen-northanger.txt',
 '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/dickens-christmascarol.txt',
 '/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/austen-persuasion.txt']

Parse filelist into a dataframe. Make sure you don’t have any extra forward slashes in the pattern — this will cause an error in the helper function.

pattern = data_dir + "{Author}-{Title}.txt"
pattern
'/content/drive/My Drive/Colab Notebooks/text-analysis/data/books/{Author}-{Title}.txt'
from helpers import parse_into_dataframe 
data = parse_into_dataframe(data_dir + "{Author}-{Title}.txt", corpus_file_list)
data.head()
Author Title File
0 dickens bleakhouse /content/drive/My Drive/Colab Notebooks/text-a...
1 dumas blacktulip /content/drive/My Drive/Colab Notebooks/text-a...
2 austen northanger /content/drive/My Drive/Colab Notebooks/text-a...
3 dickens christmascarol /content/drive/My Drive/Colab Notebooks/text-a...
4 austen persuasion /content/drive/My Drive/Colab Notebooks/text-a...
single_file = data.loc[data['Title'] == 'moby_dick','File'].item()
single_file
'/content/drive/My Drive/Colab Notebooks/text-analysis/data/melville-moby_dick.txt'

Let’s preview the file contents to make sure our code so far is working correctly.

# open and read file
f = open(single_file,'r')
file_contents = f.read()
f.close()

# preview file contents
preview_len = 500
print(file_contents[0:preview_len])
[Moby Dick by Herman Melville 1851]


ETYMOLOGY.

(Supplied by a Late Consumptive Usher to a Grammar School)

The pale Usher--threadbare in coat, heart, body, and brain; I see him
now.  He was ever dusting his old lexicons and grammars, with a queer
handkerchief, mockingly embellished with all the gay flags of all the
known nations of the world.  He loved to dust his old grammars; it
somehow mildly reminded him of his mortality.

"While you take in hand to school others, and to teach them by wha
file_contents[0:preview_len] # Note that \n are still present in actual string (print() processes these as new lines)
'[Moby Dick by Herman Melville 1851]\n\n\nETYMOLOGY.\n\n(Supplied by a Late Consumptive Usher to a Grammar School)\n\nThe pale Usher--threadbare in coat, heart, body, and brain; I see him\nnow.  He was ever dusting his old lexicons and grammars, with a queer\nhandkerchief, mockingly embellished with all the gay flags of all the\nknown nations of the world.  He loved to dust his old grammars; it\nsomehow mildly reminded him of his mortality.\n\n"While you take in hand to school others, and to teach them by wha'

Preprocessing steps

  1. Split text into sentences
  2. Tokenize the text
  3. Lemmatize and lowercase all tokens
  4. Remove stop words

1. Convert text to list of sentences

Remember that we are using the sequence of words in a sentence to learn meaningful word embeddings. The last word of one sentence does not always relate to the first word of the next sentence. For this reason, we will split the text into individual sentences before going further.

Punkt Sentence Tokenizer

NLTK’s sentence tokenizer (‘punkt’) works well in most cases, but it may not correctly detect sentences when there is a complex paragraph that contains many punctuation marks, exclamation marks, abbreviations, or repetitive symbols. It is not possible to define a standard way to overcome these issues. If you want to ensure every “sentence” you use to train the Word2Vec is truly a sentence, you would need to write some additional (and highly data-dependent) code that uses regex and string manipulation to overcome rare errors.

For our purposes, we’re willing to overlook a few sentence tokenization errors. If this work were being published, it would be worthwhile to double-check the work of punkt.

import nltk
nltk.download('punkt') # dependency of sent_tokenize function
sentences = nltk.sent_tokenize(file_contents)
[nltk_data] Downloading package punkt to /root/nltk_data...
[nltk_data]   Package punkt is already up-to-date!
sentences[300:305]
['How then is this?',
 'Are the green fields gone?',
 'What do they\nhere?',
 'But look!',
 'here come more crowds, pacing straight for the water, and\nseemingly bound for a dive.']

2-4: Tokenize, lemmatize, and remove stop words

Pull up preprocess text helper function and unpack the code…

from helpers import preprocess_text
# test function
string = 'It is not down on any map; true places never are.'
tokens = preprocess_text(string, 
                         remove_stopwords=True,
                         verbose=True)
print('Result', tokens)
Tokens ['It', 'is', 'not', 'down', 'on', 'any', 'map', 'true', 'places', 'never', 'are']
Lowercase ['it', 'is', 'not', 'down', 'on', 'any', 'map', 'true', 'places', 'never', 'are']
Lemmas ['it', 'is', 'not', 'down', 'on', 'any', 'map', 'true', 'place', 'never', 'are']
StopRemoved ['map', 'true', 'place', 'never']
Result ['map', 'true', 'place', 'never']
# convert list of sentences to pandas series so we can use the apply functionality
import pandas as pd
sentences_series = pd.Series(sentences)
tokens_cleaned = sentences_series.apply(preprocess_text, 
                                        remove_stopwords=True, 
                                        verbose=False)
# view sentences before clearning
sentences[300:305]
['How then is this?',
 'Are the green fields gone?',
 'What do they\nhere?',
 'But look!',
 'here come more crowds, pacing straight for the water, and\nseemingly bound for a dive.']
# view sentences after cleaning
tokens_cleaned[300:305]
    300                                                   []
    301                                 [green, field, gone]
    302                                                   []
    303                                               [look]
    304    [come, crowd, pacing, straight, water, seeming...
    dtype: object
tokens_cleaned.shape # 9852 sentences
(9852,)
# remove empty sentences and 1-word sentences (all stop words)
tokens_cleaned = tokens_cleaned[tokens_cleaned.apply(len) > 1]
tokens_cleaned.shape
(9007,)

Train Word2Vec model using tokenized text

We can now use this data to train a word2vec model. We’ll start by importing the Word2Vec module from gensim. We’ll then hand the Word2Vec function our list of tokenized sentences and set sg=0 to use the continuous bag of words (CBOW) training method.

Set seed and workers for a fully deterministic run: Next we’ll set some parameters for reproducibility. We’ll set the seed so that our vectors get randomly initialized the same way each time this code is run. For a fully deterministically-reproducible run, we’ll also limit the model to a single worker thread (workers=1), to eliminate ordering jitter from OS thread scheduling — noted in gensim’s documentation

# import gensim's Word2Vec module
from gensim.models import Word2Vec

# train the word2vec model with our cleaned data
model = Word2Vec(sentences=tokens_cleaned, seed=0, workers=1, sg=0)

Gensim’s implementation is based on the original Tomas Mikolov’s original model of word2vec, which downsamples all frequent words automatically based on frequency. The downsampling saves time when training the model.

Next steps: word embedding use-cases

We now have a vector representation for all the (lemmatized and non-stop words) words referenced throughout Moby Dick. Let’s see how we can use these vectors to gain insights from our text data.

Most similar words

Just like with the pretrained word2vec models, we can use the most_similar function to find words that meaningfully relate to a queried word.

# default
model.wv.most_similar(positive=['whale'], topn=10)
[('great', 0.9986481070518494),
 ('white', 0.9984517097473145),
 ('fishery', 0.9984385371208191),
 ('sperm', 0.9984176158905029),
 ('among', 0.9983417987823486),
 ('right', 0.9983320832252502),
 ('three', 0.9983301758766174),
 ('day', 0.9983181357383728),
 ('length', 0.9983041882514954),
 ('seen', 0.998255729675293)]

Vocabulary limits

Note that Word2Vec can only produce vector representations for words encountered in the data used to train the model.

model.wv.most_similar(positive=['orca'],topn=30) 
---------------------------------------------------------------------------

KeyError                                  Traceback (most recent call last)

<ipython-input-25-9dc7ea336470> in <cell line: 1>()
----> 1 model.wv.most_similar(positive=['orca'],topn=30)


/usr/local/lib/python3.9/dist-packages/gensim/models/keyedvectors.py in most_similar(self, positive, negative, topn, clip_start, clip_end, restrict_vocab, indexer)
    839 
    840         # compute the weighted average of all keys
--> 841         mean = self.get_mean_vector(keys, weight, pre_normalize=True, post_normalize=True, ignore_missing=False)
    842         all_keys = [
    843             self.get_index(key) for key in keys if isinstance(key, _KEY_TYPES) and self.has_index_for(key)


/usr/local/lib/python3.9/dist-packages/gensim/models/keyedvectors.py in get_mean_vector(self, keys, weights, pre_normalize, post_normalize, ignore_missing)
    516                 total_weight += abs(weights[idx])
    517             elif not ignore_missing:
--> 518                 raise KeyError(f"Key '{key}' not present in vocabulary")
    519 
    520         if total_weight > 0:


KeyError: "Key 'orca' not present in vocabulary"

fastText solves OOV issue

If you need to obtain word vectors for out of vocabulary (OOV) words, you can use the fastText word embedding model, instead (also provided from Gensim). The fastText model can obtain vectors even for out-of-vocabulary (OOV) words, by summing up vectors for its component char-ngrams, provided at least one of the char-ngrams was present in the training data.

Word2Vec for Named Entity Recognition

What can we do with this most similar functionality? One way we can use it is to construct a list of similar words to represent some sort of category. For example, maybe we want to know what other sea creatures are referenced throughout Moby Dick. We can use gensim’s most_smilar function to begin constructing a list of words that, on average, represent a “sea creature” category.

We’ll use the following procedure:

  1. Initialize a small list of words that represent the category, sea creatures.
  2. Calculate the average vector representation of this list of words
  3. Use this average vector to find the top N most similar vectors (words)
  4. Review similar words and update the sea creatures list
  5. Repeat steps 1-4 until no additional sea creatures can be found
# start with a small list of words that represent sea creatures 
sea_creatures = ['whale','fish','creature','animal']

# The below code will calculate an average vector of the words in our list, 
# and find the vectors/words that are most similar to this average vector
model.wv.most_similar(positive=sea_creatures, topn=30)
[('great', 0.9997826814651489),
 ('part', 0.9997532963752747),
 ('though', 0.9997507333755493),
 ('full', 0.999735951423645),
 ('small', 0.9997267127037048),
 ('among', 0.9997209906578064),
 ('case', 0.9997204542160034),
 ('like', 0.9997190833091736),
 ('many', 0.9997131824493408),
 ('fishery', 0.9997081756591797),
 ('present', 0.9997068643569946),
 ('body', 0.9997056722640991),
 ('almost', 0.9997050166130066),
 ('found', 0.9997038245201111),
 ('whole', 0.9997023940086365),
 ('water', 0.9996949434280396),
 ('even', 0.9996913075447083),
 ('time', 0.9996898174285889),
 ('two', 0.9996897578239441),
 ('air', 0.9996871948242188),
 ('length', 0.9996850490570068),
 ('vast', 0.9996834397315979),
 ('line', 0.9996828436851501),
 ('made', 0.9996813535690308),
 ('upon', 0.9996812343597412),
 ('large', 0.9996775984764099),
 ('known', 0.9996767640113831),
 ('harpooneer', 0.9996761679649353),
 ('sea', 0.9996750354766846),
 ('shark', 0.9996744990348816)]
# we can add shark to our list
model.wv.most_similar(positive=['whale','fish','creature','animal','shark'],topn=30) 
[('great', 0.9997999668121338),
 ('though', 0.9997922778129578),
 ('part', 0.999788761138916),
 ('full', 0.999781608581543),
 ('small', 0.9997766017913818),
 ('like', 0.9997683763504028),
 ('among', 0.9997652769088745),
 ('many', 0.9997631311416626),
 ('case', 0.9997614622116089),
 ('even', 0.9997515678405762),
 ('body', 0.9997514486312866),
 ('almost', 0.9997509717941284),
 ('present', 0.9997479319572449),
 ('found', 0.999747633934021),
 ('water', 0.9997465014457703),
 ('made', 0.9997431635856628),
 ('air', 0.9997406601905823),
 ('whole', 0.9997400641441345),
 ('fishery', 0.9997299909591675),
 ('harpooneer', 0.9997295141220093),
 ('time', 0.9997290372848511),
 ('two', 0.9997289776802063),
 ('sea', 0.9997265934944153),
 ('strange', 0.9997244477272034),
 ('large', 0.999722421169281),
 ('place', 0.9997209906578064),
 ('dead', 0.9997198581695557),
 ('leviathan', 0.9997192025184631),
 ('sometimes', 0.9997178316116333),
 ('high', 0.9997177720069885)]
# add leviathan (sea serpent) to our list
model.wv.most_similar(positive=['whale','fish','creature','animal','shark','leviathan'],topn=30) 
[('though', 0.9998274445533752),
 ('part', 0.9998168349266052),
 ('full', 0.9998133182525635),
 ('small', 0.9998107552528381),
 ('great', 0.9998067021369934),
 ('like', 0.9998064041137695),
 ('even', 0.9997999668121338),
 ('many', 0.9997966885566711),
 ('body', 0.9997950196266174),
 ('among', 0.999794602394104),
 ('found', 0.9997929334640503),
 ('case', 0.9997885823249817),
 ('almost', 0.9997871518135071),
 ('made', 0.9997868537902832),
 ('air', 0.999786376953125),
 ('water', 0.9997802972793579),
 ('whole', 0.9997780919075012),
 ('present', 0.9997757077217102),
 ('harpooneer', 0.999768853187561),
 ('place', 0.9997684955596924),
 ('much', 0.9997658729553223),
 ('time', 0.999765157699585),
 ('sea', 0.999765157699585),
 ('dead', 0.999764621257782),
 ('strange', 0.9997624158859253),
 ('high', 0.9997615218162537),
 ('two', 0.999760091304779),
 ('sometimes', 0.9997592568397522),
 ('half', 0.9997562170028687),
 ('vast', 0.9997541904449463)]

No additional sea creatures. It appears we have our list of sea creatures recovered using Word2Vec

Limitations

There is at least one sea creature missing from our list — a giant squid. The giant squid is only mentioned a handful of times throughout Moby Dick, and therefore it could be that our word2vec model was not able to train a good representation of the word “squid”. Neural networks only work well when you have lots of data

Exploring the skip-gram algorithm

The skip-gram algoritmm sometimes performs better in terms of its ability to capture meaning of rarer words encountered in the training data. Train a new Word2Vec model using the skip-gram algorithm, and see if you can repeat the above categorical search task to find the word, “squid”.

Solution

# import gensim's Word2Vec module
from gensim.models import Word2Vec

# train the word2vec model with our cleaned data
model = Word2Vec(sentences=tokens_cleaned, seed=0, workers=1, sg=1)
model.wv.most_similar(positive=['whale','fish','creature','animal','shark','leviathan'],topn=100) # still no sight of squid 
[('whalemen', 0.9931729435920715),
 ('specie', 0.9919217824935913),
 ('bulk', 0.9917919635772705),
 ('ground', 0.9913252592086792),
 ('skeleton', 0.9905602931976318),
 ('among', 0.9898401498794556),
 ('small', 0.9887762665748596),
 ('full', 0.9885162115097046),
 ('captured', 0.9883950352668762),
 ('found', 0.9883666634559631),
 ('sometimes', 0.9882548451423645),
 ('snow', 0.9880553483963013),
 ('magnitude', 0.9880378842353821),
 ('various', 0.9878063201904297),
 ('hump', 0.9876748919487),
 ('cuvier', 0.9875931739807129),
 ('fisherman', 0.9874721765518188),
 ('general', 0.9873012900352478),
 ('living', 0.9872495532035828),
 ('wholly', 0.9872384667396545),
 ('bone', 0.987160861492157),
 ('mouth', 0.9867696762084961),
 ('natural', 0.9867129921913147),
 ('monster', 0.9865870475769043),
 ('blubber', 0.9865683317184448),
 ('indeed', 0.9864518046379089),
 ('teeth', 0.9862186908721924),
 ('entire', 0.9861844182014465),
 ('latter', 0.9859246015548706),
 ('book', 0.9858523607254028)]

Discuss Exercise Result: When using Word2Vec to reveal items from a category, you risk missing items that are rarely mentioned. This is true even when we use the Skip-gram training method, which has been found to have better performance on rarer words. For this reason, it’s sometimes better to save this task for larger text corpuses. In a later lesson, we will explore how large language models (LLMs) can yield better performance on Named Entity Recognition related tasks.

Entity Recognition Applications

How else might you exploit this kind of analysis in your research? Share your ideas with the group.

Solution

Example: Train a model on newspaper articles from the 19th century, and collect a list of foods (the topic chosen) referenced throughout the corpus. Do the same for 20th century newspaper articles and compare to see how popular foods have changed over time.

Comparing Vector Representations Across Authors

Recall that the Word2Vec model learns to encode a word’s meaning/representation based on that word’s most common surrounding context words. By training two separate Word2Vec models on, e.g., books collected from two different authors (one model for each author), we can compare how the different authors tend to use words differently. What are some research questions or words that we could investigate with this kind of approach?

Solution

As one possible approach, we could compare how authors tend to represent different genders. It could be that older (outdated!) books tend to produce word vectors for man and women that are further apart from one another than newer books due to historic gender norms.

Other word embedding models

While Word2Vec is a famous model that is still used throughout many NLP applications today, there are a few other word embedding models that you might also want to consider exploring. GloVe and fastText are among the two most popular choices to date.

# Preview other word embedding models available
print(list(api.info()['models'].keys()))
['fasttext-wiki-news-subwords-300', 'conceptnet-numberbatch-17-06-300', 'word2vec-ruscorpora-300', 'word2vec-google-news-300', 'glove-wiki-gigaword-50', 'glove-wiki-gigaword-100', 'glove-wiki-gigaword-200', 'glove-wiki-gigaword-300', 'glove-twitter-25', 'glove-twitter-50', 'glove-twitter-100', 'glove-twitter-200', '__testing_word2vec-matrix-synopsis']

Similarities

Differences

Key Points

  • As an alternative to using a pre-trained model, training a Word2Vec model on a specific dataset allows you use Word2Vec for NER-related tasks.


LLMs and BERT Overview

Overview

Teaching: 20 min
Exercises: 20 min
Questions
  • What is a large language model?

  • What is BERT?

  • How does attention work?

Objectives
  • Learn about transformers

  • Learn about attention calculations.

  • Learn about BERT architecture.

Transformers and BERT

What are large language models? What is BERT?

For this lesson, we will be learning about large language models (LLMs). It is recommended you follow along in Colab for the BERT sections due to ease of installation and configuration.

LLMs are the current state of the art when it comes to many tasks, and although LLMs can differ, they are mostly based on a similar architecture to one another.

We will go through the architecture of a highly influential LLM called BERT. BERT stands for Bidirectional Encoder Representations from Transformers. Let’s look at each part of this model, starting with the input on the bottom and working toward the output on the top.

transformers.jpeg

This is a complex architecture, but it can be broken down into many of the things we’ve learned in this course. The model is displayed with the input on the bottom and the output at the top, as is common with neural networks. Let’s take a look at one component at a time.

Training methods

Much like Word2Vec, BERT uses the distributional hypothesis as the underpinning for its training method. That tells us that the meaning of the word can be derived from the context it is frequently used in.

BERT is trained by randomly masking words from texts, and the model is asked to predict what they are. This is also called a cloze test. The correctness of the guess is then fed back into the neural network to improve future guesses. BERT also tries to guess what the next sentence for a document will be and incorporates those into its segment embeddings.

Tokenizer

First, the input string is broken up by a tokenizer. For BERT, the algorithm used to tokenize is called WordPiece. The tokenizer breaks words into smaller lexical units called morphemes rather than words. There are three special types of tokens in this tokenizer. The [CLS] token indicates the start of the document. The [SEP] token indicates the end of a document, or a “segment”. Finally, to train the model, randomly selected words are replaced by a [MASK] token, and the model is asked to predict them. Let’s look at the tokenizer in action.

!pip install parse bertviz transformers
from transformers import BertTokenizer
sentence="My dog Fido is cute. He likes playing."
tokenizer = BertTokenizer.from_pretrained("bert-base-cased")
encoding = tokenizer.encode(sentence)

#this will give us the ID number of our tokens.
print(encoding)
#this will give us the actual tokens.
print(tokenizer.convert_ids_to_tokens(encoding))
[101, 1422, 3676, 17355, 2572, 1110, 10509, 119, 1124, 7407, 1773, 119, 102]
['[CLS]', 'My', 'dog', 'Fi', '##do', 'is', 'cute', '.', 'He', 'likes', 'playing', '.', '[SEP]']

Embeddings

embeddings2.jpg

Next the model calculates an embedding for each token. Three values are used to calculate our final embedding for each token. The first part is the token embedding, similar to the ones we have discussed with Word2Vec and Glove, only this embedding is trained by the BERT model. The second part is a combination of all the tokens in a given segment, also called a segment embedding. The third part is a positional embedding, which accounts for the locations of words in the document. All three parts are combined as the embedding that is fed into the model. This is how we get our initial input into the model.

Transformers

Now we are ready to use the main component of BERT: transformers.

Transformers were developed in 2017 by a group of researchers working at Google Brain. This was a revolutionary component that allowed language models to consider all words in a document at the same time in parellel, which sped up model training considerably and opened the door to LLMs.

Transformers make use of something called “self-attention calculation,” which mimics how humans focus in on multiple parts of the document and weigh them differently when considering the meaning of a word. Self attention not only factors in the embeddings from other words in the sentence but weighs them depending on their importance.

It is not necessary to understand the exact details of the calculation for this lesson, but if you are interested on the mathematics of self-attention and the details of the calculation, the Illustrated Transformer is an excellent resource: https://jalammar.github.io/illustrated-transformer/

Attention-Heads.jpg

You can see in our BERT diagram that each embedding of the word is fed into a transformer called an ‘encoder.’ Each encoder in a layer runs a self attention calculation and forwards the results to each encoder in the next layer, which runs them on the outputs of the layer before it. Once the attention calculation has been run for each layer, a sophisticated embedding for each input token is output.

One additional detail about this process: it does not happen for just one set of weights. Instead, several independent copies of these encoders are trained and used, all at the same time. Each set of these transformers is called an “attention head.”

Each attention head has its own set of weights called parameters that are trained and calculated independently. They are trained using the same type of cloze tasks to fill in masked words that we used to train Word2Vec. All of the outputs of the attention heads are combined together to make a large matrix of values that represents a very robust representation of the input, which we have labelled “T.”

Let’s take a look at how attention works in an example. Imagine we have two sentences, “The chicken didn’t cross the road because it was too tired,” and, “The chicken didn’t cross the road because it was too wide.” These are very similar sentences, but changing one word changes the meaning of both sentences dramatically. For the first sentence, ‘it was too tired’ refers to the chicken. For the second sentence, ‘it was too wide’ refers to the road. Ideally our representations for the road or chicken will incorporate these attributes.

# Run this cell to mount your Google Drive.
from google.colab import drive
drive.mount('/content/drive')

# Show existing colab notebooks and helpers.py file
from os import listdir
wksp_dir = '/content/drive/My Drive/Colab Notebooks/text-analysis'
listdir(wksp_dir)

# Add folder to colab's path so we can import the helper functions
import sys
sys.path.insert(0, wksp_dir)
import attentionviz as av
sentence_a = "The chicken didn't cross the road because it was too tired"
sentence_b = "The chicken didn't cross the road because it was too wide"
tfviz = av.AttentionViz(sentence_a, sentence_b)
tfviz.hview()

bertviz

This visualization needs to run in Colab or a Jupyter notebook to render properly. It shows how attention works in the BERT model. The different colors represent different attention heads. The left side represents the input embedding and the depth of color shows how much each input weighs in the output of that layer.

Select “Sentence A to Sentence A” on the attention dropdown and mouse over the word “it.” In layers 0-7 we can see how different attention heads start to incorporate the embedding of “because” and “too tired” into our embedding for “it.” Once we get to layers 8-10, we can see how “chicken” starts to attend to the word “it”, indicating that the model has started to incorporate the qualities of being “too tired” that are already part of “it” into the representation for “chicken”. Mousing over the word “it” we can also see that it starts to incorporate the embedding built into the word “chicken.”

How do you suppose the self attention calculation will change for sentence B? If we look at layers 8-10 we see that “the road” starts to attend to the word “it”, rather than the chicken doing so. Self attention can shift to focus on different words depending on the input.

Output and Classification

linear-layer.jpg

Once the input embeddings have been run through each layer and attention head, all of the outputs are combined together to give us a very robust matrix of values that represent a word and its relationships to other words, which we’ve called T. Training this component of the model is the vast majority of the work done in creating a pretrained large language model. But now that we have a very complex representation of the word, how do we use it to accomplish a task?

The last step in BERT is the classification layer. During fine-tuning, we add one more layer to our model- a set of connections that calculate the probability that each transformed token T matches each possible output. A much smaller set of test data is then used to train the final layer and refine the other layers of BERT to better suit the task.

The Power of Transfer Learning

bert-fine.png

Above is a set of images from the creators of BERT showing how it could be easily adapted to different tasks. One of the reasons BERT became so ubiquitous is that it was very effective at transfer learning. Transfer learning means that the underlying model can be repurposed for different tasks.

The underlying large language model for BERT was trained on billions of words for hundreds of compute hours on specially designed chips. It is impractical to retrain it from scratch for every possible use. However, the weights calculated can be reused on a variety of tasks with minimal adaptation. The model does get fine-tuned for each task, but this is much easier than the initial training.

When we adapt BERT for a given NER task, we just need to provide a much smaller set of labelled data to retrain the last step of converting our output into a set of probabilities. These models have had great success at a variety of tasks like parts of speech tagging, translation, document summary, and NER labelling.

State of the art LLMs like GPT-4 operate on this approach. LLMs have grown larger and larger to take advantage of the ability to compute in parallel. Modern LLMs have become so large that they are often run on specialized high performance machines, and only exposed to the public via API. They are scaled up versions, still using transformers as their primary component. LLM’s have also become better at so called “zero-shot” tasks, where there is no fine-tuning phase, and instead the model is exposed to novel classes it has never seen outside of its test data. However, fine-tuning is still an important part of maximizing performance.

At the beginning of our carpentries lessons, we used pretrained HuggingFace models to learn about different tasks we could accomplish using NLP. In our next lesson we will fine tune BERT to perform a custom task using a custom dataset.

Key Points

  • LLMs are based on transformers. They train millions to billions of parameters on vast datasets.

  • Attention allows for context to be encoded into an embedding.

  • BERT is an example of a LLM.


Finetuning LLMs

Overview

Teaching: 60 min
Exercises: 60 min
Questions
  • How can I fine-tune preexisting LLMs for my own research?

  • How do I pick the right data format?

  • How do I create my own labels?

  • How do I put my data into a model for finetuning?

  • How do I evaluate success at my task?

Objectives
  • Examine CONLL2003 data.

  • Learn about Label Studio.

  • Learn about finetuning a BERT model.

Finetuning BERT

Setup

If you are running this lesson on Google Colab, it is strongly recommended that you enable GPU acceleration. If you are running locally without CUDA, you should be able to run the commands, but training will take a long time and you will want to use the pretrained model when using the model.

To enable GPU on Colab, click “Edit > Notebook settings” and select GPU. If enabled, this command will return a status window and not an error:

!nvidia-smi
Thu Apr 13 20:14:48 2023       
+-----------------------------------------------------------------------------+
| NVIDIA-SMI 525.85.12    Driver Version: 525.85.12    CUDA Version: 12.0     |
|-------------------------------+----------------------+----------------------+
| GPU  Name        Persistence-M| Bus-Id        Disp.A | Volatile Uncorr. ECC |
| Fan  Temp  Perf  Pwr:Usage/Cap|         Memory-Usage | GPU-Util  Compute M. |
|                               |                      |               MIG M. |
|===============================+======================+======================|
|   0  Tesla T4            Off  | 00000000:00:04.0 Off |                    0 |
| N/A   63C    P8    14W /  70W |      0MiB / 15360MiB |      0%      Default |
|                               |                      |                  N/A |
+-------------------------------+----------------------+----------------------+

+-----------------------------------------------------------------------------+
| Processes:                                                                  |
|  GPU   GI   CI        PID   Type   Process name                  GPU Memory |
|        ID   ID                                                   Usage      |
|=============================================================================|
|  No running processes found                                                 |
+-----------------------------------------------------------------------------+

Fine Tuning

There are many many prebuilt models for BERT. Why would you want to go through the trouble of training or fine tuning your own?

Perhaps you are looking to do something for which there is no prebuilt model. Or perhaps you simply want better performance based on your own dataset, as training on tasks similar to your dataset will improve performance. For these reasons, you may want to fine tune the original BERT model on your own data. Let’s discuss how we might do this using an example.

The standard set of NER labels is designed to be broad: people, organizations and so on. However, it doesn’t have to be. We can define our own entities of interest and have our model search for them. For this example, we’ll use the task of classifying different elements of restaurant reviews, such as amenities, locations, ratings, cuisine types and so on. How do we start?

The first thing we can do is identify our task. Our task here is Token Classification, or more specifically, Named Entity Recognition. Now that we have an idea of what we’re aiming to do, lets look at some of the LLMs provided by HuggingFace.

One special note for this lesson: we will not be writing the code for this from scratch. Doing so is a tough task. Rather, this lesson will focus on creating our own data, adapting existing code and modifying it to achieve the task we want to accomplish.

HuggingFace hosts many instructional Colab notebooks available at: https://huggingface.co/docs/transformers/notebooks. We can find an example of Token Classification using PyTorch there which we will modify to suit our needs. Looking at the notebook, we can see it uses a compressed version of BERT, “distilbert.” While not as accurate as the full BERT model, it is easier to fine tune. We’ll use this model as well.

Examining our Data

Now, let’s take a look at the example data from the dataset used in the example. The dataset used is called the CoNLL2003 dataset.

If possible, it’s a good idea to pattern your data output based on what the model is expecting. You will need to make adjustments, but if you have selected a model that is appropriate to the task you can reuse most of the code already in place. We’ll start by installing our dependencies.

! pip install datasets transformers seqeval

Next, let’s look at the CONLL dataset in particular.

from datasets import load_dataset, load_metric
ds = load_dataset("conll2003")
print(ds)
DatasetDict({
    train: Dataset({
        features: ['id', 'tokens', 'pos_tags', 'chunk_tags', 'ner_tags'],
        num_rows: 14041
    })
    validation: Dataset({
        features: ['id', 'tokens', 'pos_tags', 'chunk_tags', 'ner_tags'],
        num_rows: 3250
    })
    test: Dataset({
        features: ['id', 'tokens', 'pos_tags', 'chunk_tags', 'ner_tags'],
        num_rows: 3453
    })
})

We can see that the CONLL dataset is split into three sets, training data, validation data, and test data. Training data should make up about 80% of your corpus and is fed into the model to fine tune it. Validation data should be about 10%, and is used to check how the training progress is going as the model is trained. The test data is about 10% withheld until the model is fully trained and ready for testing, so you can see how it handles new documents that the model has never seen before.

Let’s take a closer look at a record in the train set so we can get an idea of what our data should look like. The NER tags are the ones we are interested in, so lets print them out and take a look. We’ll also select the dataset and then an index for the document to look at an example.

ds["train"][0]
conll_tags = ds["train"].features[f"ner_tags"]
print(conll_tags)
print(ds["train"][0])
Sequence(feature=ClassLabel(names=['O', 'B-PER', 'I-PER', 'B-ORG', 'I-ORG', 'B-LOC', 'I-LOC', 'B-MISC', 'I-MISC'], id=None), length=-1, id=None)
{'id': '0', 'tokens': ['EU', 'rejects', 'German', 'call', 'to', 'boycott', 'British', 'lamb', '.'], 'pos_tags': [22, 42, 16, 21, 35, 37, 16, 21, 7], 'chunk_tags': [11, 21, 11, 12, 21, 22, 11, 12, 0], 'ner_tags': [3, 0, 7, 0, 0, 0, 7, 0, 0]}

Each document has it’s own ID number. We can see that the tokens are a list of words in the document. For each word in the tokens, there are a series of numbers. Those numbers correspond to the labels in the database. Based on this, we can see that the EU is recognized as an ORG and the terms “German” and “British” are labelled as MISC.

These datasets are loaded using specially written loading scripts. We can look this script by searching for the ‘conll2003’ in huggingface and selecting “Files”. The loading script is always named after the dataset. In this case it is “conll2003.py”.

https://huggingface.co/datasets/conll2003/blob/main/conll2003.py

Opening this file up, we can see that a zip file is downloaded and text files are extracted. We can manually download this ourselves if we would really like to take a closer look. For the sake of convienence, the example we looked just looked at is reproduced below:

-DOCSTART- -X- -X- O

EU NNP B-NP B-ORG
rejects VBZ B-VP O
German JJ B-NP B-MISC
call NN I-NP O
to TO B-VP O
boycott VB I-VP O
British JJ B-NP B-MISC
lamb NN I-NP O
. . O O

This is a simple format, similar to a CSV. Each document is seperated by a blank line. The token we look at is first, then space seperated tags for POS, chunk_tags and NER tags. Many of the token classifications use BIO tagging, which specifies that “B” is the beginning of a tag, “I” is inside a tag, and “O” means that the token outside of our tagging schema.

So, now that we have an idea of what the HuggingFace models expect, let’s start thinking about how we can create our own set of data and labels.

Tagging a dataset

Most of the human time spent training a model will be spent pre-processing and labelling data. If we expect our model to label data with an arbitrary set of labels, we need to give it some idea of what to look for. We want to make sure we have enough data for the model to perform at a good enough degree of accuracy for our purpose. Of course, this number will vary based on what level of performance is “good enough” and the difficulty of the task. While there’s no set number, a set of approximately 100,000 tokens is enough to train many NER tasks.

Fortunately, software exists to help streamline the tagging process. One open source example of tagging software is Label Studio. However, it’s not the only option, so feel free to select a data labelling software that matches your preferences or needs for a given project. An online demo of Label Studio is available here: https://labelstud.io/playground. Label Studio supports a number of different types of labelling tasks, so you may want to use it for tasks other than just NER. It’s also possible to install locally, although be aware you will need to create a new Conda environment to do so.

Select “Named Entity Recognition” as the task to see what the interface would look like if we were doing our own tagging. We can define our own labels by copying in the following code (minus the quotations):

<View>
  <Labels name="label" toName="text">
    <Label value="Amenity" background="red"/>
    <Label value="Cuisine" background="darkorange"/>
    <Label value="Dish" background="orange"/>
    <Label value="Hours" background="green"/>
    <Label value="Location" background="darkblue"/>
    <Label value="Price" background="blue"/>
    <Label value="Rating" background="purple"/>
    <Label value="Restaurant_Name" background="#842"/>
  </Labels>

  <Text name="text" value="$text"/>
</View>

In Label Studio, labels can be applied by hitting a number on your keyboard and highlighting the relevant part of the document. Try doing so on our example text and looking at the output.

Once done, we will have to export our files for use in our model.

One additional note: There is a github project for direct integration between label studio and HuggingFace available as well. Given that the task selected may vary on the model and you may not opt to use Label Studio for a given project, we will simply point to this project as a possible resource (https://github.com/heartexlabs/label-studio-transformers) rather than use it in this lesson.

Export to desired format

So, let’s say you’ve finished your tagging project. How do we get these labels out of label studio and into our model?

Label Studio supports export into many formats, including one called CoNLL2003. This is the format our test dataset is in. It’s a space seperated CSV, with words and their tags.

We’ll skip the export step as well, as we already have a prelabeled set of tags in a similar format published by MIT. For more details about supported export formats consult the help page for Label Studio here: https://labelstud.io/guide/export.html

At this point, we’ve got all the labelled data we want. We now need to load our dataset into HuggingFace and then train our model. The following code will be largely based on the example code from HuggingFace, substituting in our data for the CoNLL data.

Loading the custom dataset

Lets make our own tweaks to the HuggingFace colab notebook. We’ll start by importing some key metrics.

import datasets
from datasets import load_dataset, load_metric, Features

The HuggingFace example uses CONLL 2003 dataset.

All datasets from HuggingFace are loaded using scripts. Datasets can be defined from a JSON or CSV file (see the Datasets documentation) but selecting CSV will by default create a new document for every token and NER tag and will not load the documents correctly. So we will use a tweaked version of the Conll loading script instead. Let’s take a look at the regular Conll script first:

https://huggingface.co/datasets/conll2003/tree/main

The loading script is the python file. Usually the loading script is named after the dataset in question. There are a couple of things we want to change:

  1. We want to tweak the metadata with citations to reflect where we got our data. If you created the data, you can add in your own citation here.
  2. We want to define our own categories for NER_TAGS, to reflect our new named entities.
  3. The order for our tokens and NER tags is flipped in our data files.
  4. Delimiters for our data files are tabs instead of spaces.
  5. We will replace the method names with ones appropriate for our dataset.

Those modifications have been made in the mit_restaurants.py file we prepared for learners. Let’s briefly take a look at that file before we proceed with the huggingface script.

Now that we have a modified huggingface script, let’s load our data.

ds = load_dataset("/content/drive/My Drive/Colab Notebooks/text-analysis/code/mit_restaurants.py")

How does our dataset compare to the CONLL dataset? Let’s look at a record and compare.

ds
DatasetDict({
    train: Dataset({
        features: ['id', 'tokens', 'ner_tags'],
        num_rows: 7660
    })
    validation: Dataset({
        features: ['id', 'tokens', 'ner_tags'],
        num_rows: 815
    })
    test: Dataset({
        features: ['id', 'tokens', 'ner_tags'],
        num_rows: 706
    })
})
label_list = ds["train"].features["ner_tags"].feature.names
label_list
['O',
'B-Amenity',
'I-Amenity',
'B-Cuisine',
'I-Cuisine',
'B-Dish',
'I-Dish',
'B-Hours',
'I-Hours',
'B-Location',
'I-Location',
'B-Price',
'I-Price',
'B-Rating',
'I-Rating',
'B-Restaurant_Name',
'I-Restaurant_Name']

Our data looks pretty similar to the CONLL data now. This is good since we can now reuse many of the methods listed by HuggingFace in their Colab notebook.

Preprocessing the data

We start by defining some variables that HuggingFace uses later on.

import torch
task = "ner" # Should be one of "ner", "pos" or "chunk"
model_checkpoint = "distilbert-base-uncased"
batch_size = 16
device = torch.device("cuda" if torch.cuda.is_available() else "cpu")

Next, we create our special BERT tokenizer.

from transformers import AutoTokenizer
tokenizer = AutoTokenizer.from_pretrained(model_checkpoint)

And we’ll use it on an example:

example = ds["train"][4]
tokenized_input = tokenizer(example["tokens"], is_split_into_words=True)
tokens = tokenizer.convert_ids_to_tokens(tokenized_input["input_ids"])
print(tokens)
['[CLS]', 'a', 'great', 'lunch', 'spot', 'but', 'open', 'till', '2', 'a', 'm', 'pass', '##im', '##s', 'kitchen', '[SEP]']

Since our words are broken into just words, and the BERT tokenizer sometimes breaks words into subwords, we need to retokenize our words. We also need to make sure that when we do this, the labels we created don’t get misaligned. More details on these methods are available through HuggingFace, but we will simply use their code to do this.

word_ids = tokenized_input.word_ids()
aligned_labels = [-100 if i is None else example[f"{task}_tags"][i] for i in word_ids]
label_all_tokens = True

def tokenize_and_align_labels(examples):
    tokenized_inputs = tokenizer(examples["tokens"], truncation=True, is_split_into_words=True)

    labels = []
    for i, label in enumerate(examples[f"{task}_tags"]):
        word_ids = tokenized_inputs.word_ids(batch_index=i)
        previous_word_idx = None
        label_ids = []
        for word_idx in word_ids:
            # Special tokens have a word id that is None. We set the label to -100 so they are automatically
            # ignored in the loss function.
            if word_idx is None:
                label_ids.append(-100)
            # We set the label for the first token of each word.
            elif word_idx != previous_word_idx:
                label_ids.append(label[word_idx])
            # For the other tokens in a word, we set the label to either the current label or -100, depending on
            # the label_all_tokens flag.
            else:
                label_ids.append(label[word_idx] if label_all_tokens else -100)
            previous_word_idx = word_idx

        labels.append(label_ids)

    tokenized_inputs["labels"] = labels
    return tokenized_inputs

tokenized_datasets = ds.map(tokenize_and_align_labels, batched=True)
print(tokenized_datasets)
DatasetDict({
    train: Dataset({
        features: ['id', 'tokens', 'ner_tags', 'input_ids', 'attention_mask', 'labels'],
        num_rows: 7660
    })
    validation: Dataset({
        features: ['id', 'tokens', 'ner_tags', 'input_ids', 'attention_mask', 'labels'],
        num_rows: 815
    })
    test: Dataset({
        features: ['id', 'tokens', 'ner_tags', 'input_ids', 'attention_mask', 'labels'],
        num_rows: 706
    })
})

The preprocessed features we’ve just added will be the ones used to actually train the model.

Fine-tuning the model

Now that our data is ready, we can download the LLM. Since our task is token classification, we use the AutoModelForTokenClassification class, but this will vary based on the task. Before we do though, we want to specify the mapping for ids and labels to our model so it does not simply return CLASS_1, CLASS_2 and so on.

id2label = {
    0: "O",
    1: "B-Amenity",
    2: "I-Amenity",
    3: "B-Cuisine",
    4: "I-Cuisine",
    5: "B-Dish",
    6: "I-Dish",
    7: "B-Hours",
    8: "I-Hours",
    9: "B-Location",
    10: "I-Location",
    11: "B-Price",
    12: "I-Price",
    13: "B-Rating",
    14: "I-Rating",
    15: "B-Restaurant_Name",
    16: "I-Restaurant_Name",
}

label2id = {
    "O": 0,
    "B-Amenity": 1,
    "I-Amenity": 2,
    "B-Cuisine": 3,
    "I-Cuisine": 4,
    "B-Dish": 5,
    "I-Dish": 6,
    "B-Hours": 7,
    "I-Hours": 8,
    "B-Location": 9,
    "I-Location": 10,
    "B-Price": 11,
    "I-Price": 12,
    "B-Rating": 13,
    "I-Rating": 14,
    "B-Restaurant_Name": 15,
    "I-Restaurant_Name": 16,
}
from transformers import AutoModelForTokenClassification, TrainingArguments, Trainer

model = AutoModelForTokenClassification.from_pretrained(model_checkpoint, id2label=id2label, label2id=label2id, num_labels=len(label_list)).to(device)
Some weights of the model checkpoint at distilbert-base-uncased were not used when initializing DistilBertForTokenClassification: ['vocab_projector.bias', 'vocab_projector.weight', 'vocab_layer_norm.bias', 'vocab_transform.weight', 'vocab_transform.bias', 'vocab_layer_norm.weight']
- This IS expected if you are initializing DistilBertForTokenClassification from the checkpoint of a model trained on another task or with another architecture (e.g. initializing a BertForSequenceClassification model from a BertForPreTraining model).
- This IS NOT expected if you are initializing DistilBertForTokenClassification from the checkpoint of a model that you expect to be exactly identical (initializing a BertForSequenceClassification model from a BertForSequenceClassification model).
Some weights of DistilBertForTokenClassification were not initialized from the model checkpoint at distilbert-base-uncased and are newly initialized: ['classifier.bias', 'classifier.weight']
You should probably TRAIN this model on a down-stream task to be able to use it for predictions and inference.

The warning is telling us we are throwing away some weights. The reason we are doing this is because we want to throw away that final classification layer in our fine-tuned BERT model, and replace it with a layer that uses the labels that we have defined.

Next, we configure our trainer. The are lots of settings here but largely the defaults are fine. More detailed documentation on what each of these mean are available through Huggingface: TrainingArguments,

model_name = model_checkpoint.split("/")[-1]
args = TrainingArguments(
    #f"{model_name}-finetuned-{task}",
    f"{model_name}-carpentries-restaurant-ner",
    evaluation_strategy = "epoch",
    learning_rate=2e-5,
    per_device_train_batch_size=batch_size,
    per_device_eval_batch_size=batch_size,
    num_train_epochs=3,
    weight_decay=0.01,
    #push_to_hub=True, #You can have your model automatically pushed to HF if you uncomment this and log in.
)

One finicky aspect of the model is that all of the inputs have to be the same size. When the sizes do not match, something called a data collator is used to batch our processed examples together and pad them to the same size.

from transformers import DataCollatorForTokenClassification

data_collator = DataCollatorForTokenClassification(tokenizer)

The last thing we want to define is the metric by which we evaluate how our model did. Usually it’s a good idea to try to understand a bit about the metrics commonly used for a given task before training a model. For now, we’ll put off discussing these metrics until we have results to discuss. We will use seqeval, but metrics will vary based on the task. Let’s load our metric now.

metric = load_metric("seqeval")
labels = [label_list[i] for i in example[f"{task}_tags"]]
metric.compute(predictions=[labels], references=[labels])
{'Hours': {'precision': 1.0, 'recall': 1.0, 'f1': 1.0, 'number': 1},
'Restaurant_Name': {'precision': 1.0, 'recall': 1.0, 'f1': 1.0, 'number': 1},
'overall_precision': 1.0,
'overall_recall': 1.0,
'overall_f1': 1.0,
'overall_accuracy': 1.0}

Per HuggingFace, we need to do a bit of post-processing on our predictions. The following function and description is taken directly from HuggingFace. The function does the following:

import numpy as np

def compute_metrics(p):
    predictions, labels = p
    predictions = np.argmax(predictions, axis=2)

    # Remove ignored index (special tokens)
    true_predictions = [
        [label_list[p] for (p, l) in zip(prediction, label) if l != -100]
        for prediction, label in zip(predictions, labels)
    ]
    true_labels = [
        [label_list[l] for (p, l) in zip(prediction, label) if l != -100]
        for prediction, label in zip(predictions, labels)
    ]

    results = metric.compute(predictions=true_predictions, references=true_labels)
    return {
        "precision": results["overall_precision"],
        "recall": results["overall_recall"],
        "f1": results["overall_f1"],
        "accuracy": results["overall_accuracy"],
    }

Finally, after all of the preparation we’ve done, we’re ready to create a Trainer to train our model.

trainer = Trainer(
    model,
    args,
    train_dataset=tokenized_datasets["train"],
    eval_dataset=tokenized_datasets["validation"],
    data_collator=data_collator,
    tokenizer=tokenizer,
    compute_metrics=compute_metrics,
)

We can now finetune our model by just calling the train method. Note that this step will take about 5 minutes if you are running it on a GPU, and 4+ hours if you are not.

print("Training starts NOW")
trainer.train()
Epoch Training Loss Validation Loss Precision Recall F1 Accuracy
1 No log 0.345723 0.741262 0.785096 0.762550 0.897648
2 0.619500 0.304476 0.775332 0.812981 0.793710 0.907157
3 0.294300 0.297899 0.778443 0.812500 0.795107 0.909409
TrainOutput(global_step=1437, training_loss=0.3906847556266174, metrics={'train_runtime': 85.9468, 'train_samples_per_second': 267.375, 'train_steps_per_second': 16.72, 'total_flos': 117366472959168.0, 'train_loss': 0.3906847556266174, 'epoch': 3.0})

We’ve done it! We’ve fine-tuned the model for our task. Now that it’s trained, we want to save our work so that we can reuse the model whenever we wish. A saved version of this model has also been published through huggingface, so if you are using a CPU, skip the remaining evaluation steps and launch a new terminal so you can participate.

trainer.save_model("/content/drive/MyDrive/text-analysis/code/ft-model")

We can run a more detailed evaluation step from HuggingFace if desired, to see how well our model performed. It is likely a good idea to have these metrics so that you can compare your performance to more generic models for the task.

trainer.evaluate()

predictions, labels, _ = trainer.predict(tokenized_datasets["validation"])
predictions = np.argmax(predictions, axis=2)

# Remove ignored index (special tokens)
true_predictions = [
    [label_list[p] for (p, l) in zip(prediction, label) if l != -100]
    for prediction, label in zip(predictions, labels)
]
true_labels = [
    [label_list[l] for (p, l) in zip(prediction, label) if l != -100]
    for prediction, label in zip(predictions, labels)
]

results = metric.compute(predictions=true_predictions, references=true_labels)
results
{'Amenity': {'precision': 0.6348684210526315,
  'recall': 0.6655172413793103,
  'f1': 0.6498316498316498,
  'number': 290},
  'Cuisine': {'precision': 0.8689138576779026,
  'recall': 0.8140350877192982,
  'f1': 0.8405797101449275,
  'number': 285},
  'Dish': {'precision': 0.797945205479452,
  'recall': 0.9066147859922179,
  'f1': 0.8488160291438981,
  'number': 257},
  'Hours': {'precision': 0.7022900763358778,
  'recall': 0.736,
  'f1': 0.7187499999999999,
  'number': 125},
  'Location': {'precision': 0.800383877159309,
  'recall': 0.8273809523809523,
  'f1': 0.8136585365853658,
  'number': 504},
  'Price': {'precision': 0.7479674796747967,
  'recall': 0.8214285714285714,
  'f1': 0.7829787234042553,
  'number': 112},
  'Rating': {'precision': 0.6805555555555556,
  'recall': 0.7967479674796748,
  'f1': 0.7340823970037453,
  'number': 123},
  'Restaurant_Name': {'precision': 0.8560411311053985,
  'recall': 0.8671875,
  'f1': 0.8615782664941786,
  'number': 384},
  'overall_precision': 0.7784431137724551,
  'overall_recall': 0.8125,
  'overall_f1': 0.7951070336391437,
  'overall_accuracy': 0.9094094094094094}

Evaluation Metrics for NER

Now that we have these metrics, what exactly do they mean? Accuracy is the most obvious metric, the number of correctly labelled entities divided by the number of total entities. The problem with this metric can be illustrated by supposing we want a model to identify a needle in a haystack. A model that identifies everything as hay would be highly accurate, as most of the entities in a haystack ARE hay, but it wouldn’t allow us to find the rare needles we’re looking for. Similarly, our named entities will likely not make up most of our documents, so accuracy is not a good metric.

We can classify recommendations made by a model into four categories- true positive, true negative, false positive and false negative.

  Document is in our category Document is not in our category
Model predicts it is in our category True Positive (TP) False Positive (FP)
Model predicts it is not in category False Negative (FN) True Negative (TN)

Precision is TP / TP + FP. It measures how correct your model’s labels were among the set of entities the model predicted were part of the class. This measure could be gamed, however, by being very conservative about making positive labels and only doing so when the model was absolutely certain, possibly missing relevant entities.

Recall is TP / TP + FN. It measures how correct your model’s labels are among the set of every entity actually belonging to the class. Recall could be trivally gamed by simply classify all documents as being part of the class.

The F1 score is a harmonic mean between the two, ensuring the model is neither too conservative or too prone to overclassification.

Whether a F1 score bordering on 79% is ‘good enough’ depends on the performance of other models, how difficult the task is, and so on. It may be good enough for our needs, or we may want to collect more data, train on a bigger model, or adjust our parameters. For the purposes of the workshop, we will say that this is fine.

Using our Model

Now that we’ve created our model, we don’t need any of the preexisting code to actually use it. The code below should run the model. Feel free to compose your own example and see how well the model performs!

from transformers import pipeline
from transformers import AutoModelForTokenClassification
from transformers import AutoTokenizer
from transformers import TokenClassificationPipeline
import torch

EXAMPLE = "where is a four star restaurant in milwaukee with tapas"
##Colab code
#tokenizer = AutoTokenizer.from_pretrained("distilbert-base-uncased")
#model = AutoModelForTokenClassification.from_pretrained("/content/drive/MyDrive/text-analysis/code/ft-model")

##Loading pretrained model from HF- Local code
tokenizer = AutoTokenizer.from_pretrained("karlholten/distilbert-carpentries-restaurant-ner")
model = AutoModelForTokenClassification.from_pretrained("karlholten/distilbert-carpentries-restaurant-ner")
nlp = pipeline("ner", model=model, tokenizer=tokenizer, aggregation_strategy="first")
ner_results = nlp(EXAMPLE)
print(ner_results)

[{'entity_group': 'Rating', 'score': 0.9655443, 'word': 'four star', 'start': 11, 'end': 20}, {'entity_group': 'Location', 'score': 0.9490055, 'word': 'milwaukee', 'start': 35, 'end': 44}, {'entity_group': 'Dish', 'score': 0.8788909, 'word': 'tapas', 'start': 50, 'end': 55}]

Outro

That’s it! Let’s review briefly what we have done. We’ve discussed how to select a task. We used a HuggingFace example to help decide on a data format, and looked over it to get an idea of what the model expects. We went over Label Studio, one way to label your own data. We retokenized our example data and fine-tuned a model. Then we went over the results of our model.

LLM’s are the state-of-the-art for many types of task, and now you have an idea of how to use and even fine tune them in your own research. Our next lesson will discuss the ethics and implications of text analysis.

Key Points

  • HuggingFace has many examples of LLMs you can fine-tune.

  • Examine preexisting examples to get an idea of what your model expects.

  • Label Studio and other tagging software allows you to easily tag your own data.

  • Looking at common metrics used and other models performance in your subject area will give you an idea of how your model did.


Ethics and Text Analysis

Overview

Teaching: 20 min
Exercises: 20 min
Questions
  • Is text analysis artificial intelligence?

  • How can training data influence results?

  • What are the risk zones to consider when using text analysis for research?

Objectives
  • Understand how text analysis fits into the larger picture of artificial intelligence

  • Be able to consider the tool against your research objectives

  • Consider the drawbacks and inherent biases that may be present in large language models

Is text analysis artificial intelligence?

Artificial intelligence is loosely defined as the ability for computer systems to perform tasks that have traditionally required human reasoning and perception.

We can describe these as commitments to ethical research methods.

Relevance or meaningfulness

As with any research, the relevance or meaningfulness of your results is relative to the research question itself. However, when you have a particular research question (or a particular set of research interests), it can be hard to connect the results of these models back to your bigger picture aims. It can feel like trying to write a book report but all you were given were the table of contents. One reason for this difficulty is that the dimensions of the model are atheoretical. That is, regardless of what research questions you are asking, the models always start from the same starting point: the words of the text, with no understanding of what those words mean to you. Our job is to interpret the meaning of the model’s results, or the qualitative work that follows.

The model is making a statistical determination based on the training data it has been fed, and on the training itself, as well as the methods you have used to parse the data set you’re analyzing. If you are using a tool like ChatGPT, you may have access only to your own methods, and will need to make an educated guess about the training data and training methods. That doesn’t mean you can’t use that tool, but it does mean you need to keep what is known and what is obscured about your methods at the forefront as you conduct your research.

Exercise: You use LSA as a method to identify important topics that are common across a set of popular 19th century English novels, and conclude that X is most common. How might you explain this result and why you used LSA?

Training data can influence results

There are numerous examples of how training data - or the language model, ultimately - can negatively influence results. Reproducing bias in the data is probably one of the most discussed negative outcomes. Let’s look at one real world example:

In 2016, ProPublica published an investigative report that exposed the clear bias against Black people in computer programs used to determine the likelihood of defendants committing crimes in the future. That bias was built into the tool because the training data that it relied on included historical data about crime statistics, which reflected - and then reproduced - existing racist bias in sentencing.

Exercise: How might a researcher avoid introducing bias into their methodology when using pre-trained data to conduct text analysis?

Using your research

Rarely will results from topic modeling, text analysis, etc. stand on their own as evidence of anything. Researchers should be able to explain their method and how they got their results, and be able to talk about the data sets and training models used. As discussed above, though, the nature of the large language models that may underlie the methods used to do LSA topic modeling, identify relationships between words using Word2Vec, or summarize themes using BERT, is that they contain vast numbers of parameters that cannot be reverse engineered or described. The tool can still be part of the explanation, and any results that may change due to the randommness of the LLM can be called out, for example.

Risk zones

Another area to consider when using any technology are the risk zones that are introduced. We’re talking about unintended consequences, for the most part, but consequences nonethless.

Let’s say you were using BERT to help summarize a large body of texts to understand broad themes and relationships. Could this same method be used to distort the contents of those texts to spread misinformation? How can we mitigate that risk?

In the case of the LLMs that underlie many of the text analysis methods you learned in this workshop, is there a chance that the results could reinforce existing biases because of existing biases in the training data? Consider this example:

Exercise: You are identifying topics across a large number of archival texts from hundreds of 20th century collections documenting LGBTQ organizations. You are using a LLM where the training data is petabytes of data collected over a decade of web crawling, starting in 2013. What risks are introduced by this method and how might they be anticipated and mitigated?

Hype cycles and AI

Because this workshop is being introduced shortly after the release of ChatGPT3 by OpenAI, we want to address how AI and tech hype cycles can influence tool selection and use of tech. The inscrutability of LLMs, the ability of chatbots to output coherent and meaningful text on a seemingly infinite variety of topics, and the rhetoric of the tech industry can make these tools seem magical and unfathomable. They aren’t magical, though the black box nature of the training data and the parameters does lend itself to unfathomability. Regardless, the output of any of the methods described in this workshop, and by LLMs to come, is the product of mathematical processes and statistical weights. That is why learning some of the methodology behind text analysis is important, even if it takes much longer to become fluent in LSA or Word2Vec. We all will use tools based on these methods in the years to come, whether for our research or for more mundane administrative tasks. Understanding something about how these tools work helps hold tech accountable, and enables better use of these tools for apprpriate tasks. Regrdless of the sophistication of the tool, it is humans who attribute meaning to the results and not the machine.

Key Points

  • Text analysis is a tool and can’t assign meaning to results

  • As researchers we are responsible for understanding and explaining our methods and results