Archive for the ‘writing’ Category

TOOL BELT… TOOL BAR (MENU)

May 8, 2014
THE JAVA SCRIPTS TESTED BELOW … THIS IS THE WORDPRESS INSTRUCTIONS INCLUDED
CALL THIS POST A SANDBOX , for the moment. AFTER THESE INSTRUCTIONS I WILL MERGE WHAT CONTEXTS FIT THIS POST(IN edit…):
SEARCH THIS SITE BY SERACH LINK FROM WITHIN THE MASTER.COM.CONTENT
MASTER.COM CONT EDITED IN FOR SEARCHING TEXT AND ADDING OPTOIN FOR
SEARCH BY RELEVANCE or By DATE
TRY SEARCH LINKED HERE: http://oldship.wordpress.master.com/texis/master/search/
Title: Old Ole Ship | oLE_SHIP wORDpRESS BLOG | Page 2
Keywords: -None-
Description: oLE_SHIP wORDpRESS BLOG
Body: Economist’s View: The Mental Strain from Being PoorSeptember 21, 2013Economist’s View: The Mental Strain from Being Poor.

Posted in Uncategorized | Leave a Comment »

Recent posts from Strategists on Typepad | Typepad

September 21, 2013

Codex

Using Javascript

Contents

[hide]

JavaScript will work within WordPress. It can be used within WordPress template files in WordPress Themes or Child Themes. JavaScript cannot be added to post content without a special WordPress Plugin that removes the filters that prevent unwanted code within the post content area, for the protection of the user.

JavaScript in Template Files

The safe and recommended method of adding JavaScript to a WordPress generated page, and WordPress Theme or Plugin, is by using wp_enqueue_script(). This function includes the script if it hasn’t already been included, and safely handles dependencies.

To use JavaScript repeatedly within your site, you can either set the call for the JavaScript, or the script itself, in the head of your header.php template file, between the meta tags and the style sheet link, no differently than you would if you were using JavaScript in any HTML page. To “load” the JavaScript file into your site, in the head, add something like this:

<script type="text/javascript" src="/scripts/emailpage.js"></script>

If your custom JavaScript isn’t working after including the previous line of code in your header.php template file, use the following line of code.

<script type="text/javascript" src="<?php bloginfo('template_url'); ?>/pathto/yourscript.js"></script>

Include the leading forward slash “/”, even if your file is located in the root of your theme.

Be sure that you define the type correctly, as your site will not validate without it.

In the spot where you wish to use the JavaScript, set the call for the JavaScript. For example, you are using a JavaScript that sets a link for users to “email this page” to a friend, and you want it to be under the post title. It might look like this:

<h3 class="storytitle">
 <a href="<?php the_permalink() ?>" rel="bookmark">
 <?php the_title(); ?></a>
</h3>
<div class="emailpage">
 <script type="text/javascript"><!--//--><![CDATA[//><!--
 emailpage();
 //--><!]]></script>
</div>

JavaScript in Posts

To use JavaScript inside of posts in WordPress, you need to take a few more steps. Odds are that this usage is for one or only a few instances, so adding the script to the header would be unnecessary.

For the occasional or one time use of JavaScript, you need to put the script into a JavaScript file, and then call it out from within the post. Make sure that each script is defined by its function name, such as:

function updatepage(){var m="Page updated "+document.lastMo.......}

To include Javascript inside a post, you need to combine the call to the script file with the call to the JavaScript itself.

<script type="text/javascript" src="/scripts/updatepage.js"></script>
<script type="text/javascript">
<!--
updatepage();
//--></script>

If the src attribute of your JavaScript tag is being stripped out, you need to turn off the rich editor (from the dashboard, go to Users > Your Profile > Personal Options). If you are using the rich editor, the JavaScript tag’s src attribute may be stripped out even when manually editing in the HTML popup window.

Creating a Multiple Script File

You might have a collection of scripts that you call from time to time, like a script that calculates time zones or distance, or maybe scripts that create some effect or accent on your page. For recurring JavaScript, consider grouping them together into one file.

For this example, name the group JavaScript file scriptfile.js (choose whatever you want) and say it contains the updatepage, emailpage, and caltimezone scripts. As you copy each JavaScript into the file, make sure it has a unique function name such as with this condensed version:

function updatepage() {var m="Page updated "+document.lastMo.......}
function emailpage() {mail_str = "mailto:?subject=....}
function caltimezone() {var timerID ; function tzone(tz, os, ds, cl) {this.ct =......} 

Place the script file of all the JavaScript in the head of the header.php template file between the meta tags and the style sheet link. It will just sit there, loaded into the browser’s memory, waiting for one of the scripts inside to be called.

<script type="text/javascript" src="/scripts/scriptfile.js"></script>

In the spot in your post where you would like to use the JavaScript, call it as follows:

<script type="text/javascript">
<!--
updatepage();
//--></script>

Using Multiple JavaScript Files Inside One Post or Page

When using functions laying in multiple JavaScript files, add all the JavaScript references in the header.php. If you really need to write the script reference in the body of the post or Page, ensure that the URL to the JavaScript file starts with the forward-slash (“/”), which is your webserver’s document root (the “htdocs” directory in the case of Apache webserver). This is called a fixed URL. If you do not specify the starting slash (“/”), it becomes a relative URL (“../../relative/path/to/javacripts/file.js”), and is calculated relative to the current location in the directory structure.

If you do this, you will almost surely need to maintain several versions of this reference because different parts of the displayed content are generated from different locations. For example, pages are created from .php template files in the WordPress root directory (note that this is not the webserver’s document root), while posts are created from .php template files in the chosen theme’s directory (“/path-to-wordpress-root/wp-content/themes/yourtheme/partofpost.php”). These are two different paths.

Troubleshooting Javascript

If you are having trouble with including JavaScript inside a post, use the Text Control Plugin, which allows you to control, on a global or per post basis, the ability to turn off WordPress’ automatic formatting features, which can quickly turn code into something readable instead of executable. Set the options on the post that you will be using the JavaScript on to have No Formatting or Markup or nl2br, and No Character Formatting. You may have to experiment to get it to work. As a reminder, when using the Text Control Plugin, you must first Save and Continue Editing the post in order to see the Text Control Plugin options.

If you choose No Formatting, your post’s text will run together, so you will have to add paragraph tags and other HTML tags in order to format your page, as WordPress normally does that for you.

If your JavaScript does not work, triple check that you have not made any errors during the cut and paste into a group or single file. Be sure you used a text editor, and not a word processing program, to create the JavaScript file. Check the name of the function in the script file, as well as on your site. Not all JavaScript may work, and could possibly conflict with your PHP commands, but this is very rare.

If you are having trouble with this, the WordPress Support Forum may be able to help.

Resources

JavaScript Popup Boxes


JavaScript has three kind of popup boxes: Alert box, Confirm box, and Prompt box.


Alert Box

An alert box is often used if you want to make sure information comes through to the user.

When an alert box pops up, the user will have to click “OK” to proceed.

Syntax

window.alert(“sometext“);

The window.alert method can be written without the window prefix.

Example

alert(“I am an alert box!”);

Try it Yourself »

 


Confirm Box

A confirm box is often used if you want the user to verify or accept something.

When a confirm box pops up, the user will have to click either “OK” or “Cancel” to proceed.

If the user clicks “OK”, the box returns true. If the user clicks “Cancel”, the box returns false.

Syntax

window.confirm(“sometext“);

The window.confirm() method can be written without the window prefix.

Example

var r=confirm(“Press a button”);
if (r==true)
{
x=”You pressed OK!”;
}
else
{
x=”You pressed Cancel!”;
}

Try it Yourself »

 


Prompt Box

A prompt box is often used if you want the user to input a value before entering a page.

When a prompt box pops up, the user will have to click either “OK” or “Cancel” to proceed after entering an input value.

If the user clicks “OK” the box returns the input value. If the user clicks “Cancel” the box returns null.

Syntax

window.prompt(“sometext“,”defaultText“);

The window.prompt() method can be written without the window prefix.

Example

var person=prompt(“Please enter your name”,”Harry Potter”);

if (person!=null)
{
x=”Hello ” + person + “! How are you today?”;
document.getElementById(“demo”).innerHTML=x;
}

Try it Yourself »

 


Line Breaks

To display line breaks inside a popup box, use a back-slash followed by the character n.

Example

alert(“Hello\nHow are you?”);

Try it Yourself »

<script type="text/javascript" src="http://services.webestools.com/menus-horizon/style-20.js?txt=Home%3Dhttp%253A%252F%252Fwww.webestools.com%252F%0AForum%3Dhttp%253A%252F%252Fwww.webestools.com%252Fforum-discussions.html%0AHelp%2520us%3Dhttp%253A%252F%252Fwww.webestools.com%252Fhelpus.html%0AContact%3Dhttp%253A%252F%252Fwww.webestools.com%252Fcontact.html%0A"></script>Code
  ,,,

1 2 3
4
5Sample for JavaScript menu bar
6
7 <styletype=”text/css”> 8 #menuBar {
9 margin: 0;
10 padding: 0;
11 display: table;
12 background-color: #333388;
13 }
14
15 #menuBar div {
16 margin: 0;
17 padding: 0;
18 list-style: none;
19 position: relative;
20 float: left;
21 border-right: 1px #AAAAAA solid;
22 }
23
24 #menuBar div a {
25 display: block;
26 margin: 0;
27 padding: 5px 15px;
28 color: #FFFFFA;
29 text-align: center;
30 text-decoration: none;
31 font-weight: bold;
32 }
33
34 #menuBar div a:hover {
35 background: #5555FF;
36 }
37
38 #menuBar span {
39 margin: 1px;
40 padding: 0;
41 position: absolute;
42 visibility: hidden;
43 white-space: nowrap;
44 display: table;
45 z-index: 3;
46 }
47
48 #menuBar span a {
49 margin: 0;
50 padding: 2px 10px;
51 background: #3333AA;
52 color: #FFFFFA;
53 font-size:90%;
54 text-align: left;
55 text-decoration: none;
56 font-weight: normal;
57 }
58
59 #menuBar span a:hover {
60 background: #5555FF;
61 }
62

63
64 <scripttype=”text/javascript”> 65 //<! [CDATA[ (non-xhtml? remove this line. xhtml? just remove the space between! and [) 66 104 //]]> (non-xhtml? remove this line) 105
106
107

108 109
110
111 <divid=”menuBar”> 112
113

114 <ahref=”http://alexapps.net&#8221; 115 onmouseover=”openMenu(‘menu1’)”onmouseout=”closeMenu()”>Home
116
117 <spanid=”menu1″onmouseover=”keepMenuOpen()”onmouseout=”closeMenu()”>
118
119

120
121

122 <ahref=”http://alexapps.net/Apple/iOS/Apps/MyApps&#8221; 123 onmouseover=”openMenu(‘menu2’)”onmouseout=”closeMenu()”>iPhone Apps
124
125 <spanid=”menu2″onmouseover=”keepMenuOpen()”onmouseout=”closeMenu()”>
126 <ahref=”http://alexapps.net/Apple/iOS/Apps/MyApps/BoxingiTimer”>Boxing iTimer
127


128 <ahref=”http://alexapps.net/Apple/iOS/Apps/MyApps/GPSAlarms”>GPSAlarms
129 <ahref=”http://alexapps.net/Apple/iOS/Apps/MyApps/GPSAlarmPlus”>GPSAlarm+
130
131

132
133

134 <ahref=”” 135 onmouseover=”openMenu(‘menu3’)”onmouseout=”closeMenu()”>Help
136
137 <spanid=”menu3″onmouseover=”keepMenuOpen()”onmouseout=”closeMenu()”>
138 <ahref=”http://alexapps.net”>About Us
139 <ahref=”http://alexapps.net/contact.xhtml”>Contact Us
140
141

142
143

144
145 <divstyle=”clear:both”>

146
147

Sample for JavaScript Menu Bar

148
149
150 <divid=”log”style=”font-size: xx-small”/> 151
152
153 http://alexapps.net/HowTo/JavaScript/MenuBar/index.xhtml

PHOTO CLOUD , iCLOUD SHARED PHOTOS (New Moon March 1st Sunset to March 2 Sunrise, 2014 .)

March 26, 2014

In 17 hours after passing the Sun in the Sky the Moon breaks for a New Phase appearance, a minimum distance to the Sun’s UV rays or maximum needed distance away, to be visable by the human eye.
The journey starts just after the Sun sets on through a half mile walk to a clearing for a final picture of Sunset March 1, 2014; and the Sunrise finale, March 2, 2014 ! The Calendar day starts after view(not viewed this date March 1, 2014?) Did March 3 start the Calendar Month of Adar?
R2-07652-023A
WORLD VISABILITY CHART FOR MARCH 1, 2014, New Moon (ADAR) WORLD VISABILITY CHART MARCH 1, 2014 FOR NEW MOON , Adar
R2-07652-022A

R2-07652-021A

R2-07652-020A

R2-07652-019A

R2-07652-018A

R2-07652-017A

R2-07652-016A

R2-07652-015A

R2-07652-014A

R2-07652-013A

R2-07652-012A

R2-07652-011A

R2-07652-010A

R2-07652-009A

R2-07652-000ASo here I am SHARING my iCLOUD Photos that I loaded by signing on icloud through internet explorer on a device that does not have iCLOUD installed.
When I figure out how to share them on a device I’m signed in on, then there, as here, so.
RANGE OF VIEW FOR NEW MOON SIGHTING ON MARCH 1, 2014

Waiting For Moderation(Reply Approved) (Not Listed in Comments yet). A “no wonder” THIS POST AWAITS DELETION

May 29, 2013

That will have to be read only after my latest comment recieves approved by moderators;
in all, while now it is I whom awaits for my own.
Just in case, since its a good article, here is a link to the Post followed by my Reply(awaiting moderation) (WHEN AND IF APPROVED, I will promptlt delete or edit this post )
http://skywriter.wordpress.com/2010/01/23/neptune%E2%80%99s-in-your-career-house-it%E2%80%99s-not-a-transit-it%E2%80%99s-an-epoch/#comment-21429

OLDSHIP Reply:
An abundance of giftedness of understanding and knowledge and personal talents all combign in this nrw erra.
I would think future generations wonder of us as having some cosmic assistance from whatever residual endures this great agel that wonder not nuch of a mtstery, that is if I am correct to say we just moved into the material hemisphere of Capricorn from Aquarius,
To this constant, one that may continue with stresses that shift from awe and calm to blizzards of storms and sudden unexplained calms again, it is not just about a great philosophy and experiences of moral and virtueous tests; not of those as much, that it is untill we can mentally adapt to this system of astro changes.
For myself speccifically,
I Have to pull together several topicsl aspects, from an old post closed for reply titled “understanding the Sisquiquadrate; Natal Thors Hammers and Stelliums; the eclipse syphonically over the last few years culminating to this last une in May 2013; ; the constant meanings of each the Moon/Month(Ziv now) according to Hebrew/Jewish calendars; and for this post now, the add-on House systems here; and all that to what I really wonder about Cusps(which I believe . thowe on a speculative so level, are an additional 12 in Equal and in Parallel with Signs and Houses) ; and all that again without the mention of the “affect” crossing the Milky Way Ecliptic on December 21st, 2012 as we rise higher above that plain concidering the MC , IC, concider the Natal chart North.
I think there is some priority to what we have of importance by choice, in so much that I must note a previouse article just to catch up and relate this Sesquiqauhndrate i just found on my own chart.
Soif there is no order in this list
•i.e If Neptune(in the sky) is transiting a vocational sector of your chart—the 2nd, 6th, 10th, houses, forming an aspect to a planet(in your natal chart) in one of those houses, or aspecting your Midheaven—you’re probably hazy about your work life. You may be burned out and know you need a new direction.SkyWriter/DonnaCunningham
For me Neptune just entered my 7th house and Now squres the Sun in the Sky and Mars is coming right behind the Sun next. Neptune just Squared my MC a few months or so ago.
Thats where the Sesquiqauhndrate starts in my chart. 7th house back to Sun. Then it starts all over from the Natal Neptune from what I remember of it,
I quite helpful conciferation it has been for me to knowing the Year by Chinese Zodiac as standing for each persons :”generation”, the Month of each year for each Parent/parental animal Sign, the animal sign of the Day for each persons Self’s Sign, and the sign by the hour of birth representing “The children/Child in each of us.
Likewise , The Native American Zodiac having centered more on The Cusp to each sign and the more simple up/out and down/inward views.
Where should I start?
The Asendant should normally be the pragmatic , yet I have Natal Jupiter conjunct Desendant (and Neptune in Sky.
Reverse engineering molds that are broken on purpose is not as helpfull to me as a constant reinventing of the wheel; rogether with the existant possibility of either is a fresh new frontier, with natural gifts in season, readt to pioneer with the chalenges given in combination of a each days portion and character,
And when not, it seemed so,

Maturity Of Tithe

March 7, 2013

I left a comment today on the AskPastorGeorge WordPress.
I cant find the updated news link yet about the topic, but I like the opinion.
Good post that I “Liked”; inspired the current post of my own.
http://askpastorgeorge.wordpress.com/2013/02/06/tithing-pastors-and-the-applebees-tip/

 Of this post title “MATURTY OF TITHE” i thought to define both “tithe” and THE WORD “maturity” in respect to investment ….
.. inspiration kinda gets overwhelmed by the SPIRIT OF WHAT “LIVING HEALTHiLY” as the REAL MATURITY of acting.

Indicative of sound, rational thinking or frame of mind: a healthy attitude. 4. Sizable; considerable: a healthy portion of potatoes; a healthy raise in salary.
Oh yeah, then there is that “free” part to isolate out of the name of the dictionary,..
… but that would be just as silly; ha’uh?

  SO STICKING TO THE “TITHE” and NOT TO MUCH yet, to the “TITHER”..

I gotta relate the NEW NEWS ARTICLE IS THE REASON
I SEARCHED MORE, and Found And “WordPress” “Liked”  the askpastorgeorge post OPINION from the ORIGINAL News Article(even though I think he heard or read a second hand story) (what I just read on the New Article is, that the Pastor in the News was a female)(“”her””) (unless I’m confusing what Inread of the waitress and a Pastor) .

They could have just been diplomatic about it all, and had a drink together and forget about it. 
So anyway, here I go on the rest…  
The news article I read today of the employee being fired over publishing a personal signature and transaction of  a receipt left by  some preacher who decided he didn’t have to leave a tip at a resturaunt.
I thought I’d leave the comment because I liked the perspective of the AskPastorGearge”‘s  post
http://askpastorgeorge.wordpress.com/2013/02/06/tithing-pastors-and-the-applebees-tip/

My further wonder of the latest news is ABOUT the EXPECTED “Maturity” of preachers in general with their “personal philosophy” or “plural philosophies” ; in that by choices(having our cake and eating it too)  that as we age, or learn, or improve, we may also then change our discern by differentiating similarity in likeness or unlikenesses, to many things in life. Specifically a “Personal Developement” definition of “mature” and “maturity”.

To further the cause of The LORD, I could see it likewise as just as  mature “a gesture” ; in that “if”” it were really a “”reflection of faith”” BY ADDED NOTES TO A TIP RECIEPT, the simple note instructed by suggestion on the the tip form (suggesting) 18 % ….
…the note with a tip of 19% as affect or effect, efficient to the cause, to note I give extra to you in hope you to see you in church  soon… included”     

Description (optional) Since the “tithe” ITSELF is also an “offering gift”  as much as it is a type of investment, or as an “absalute” degree on a scale of exactness of greatness of values to mark a BY AMOUNT tithed as a “point of reflection that reflects the level of personal faith”; and since also the rate or frequency can be included to reflect “averages” …. some maturity may relate.

thith·er  

/ˈTHiT͟Hər/

 
Adverb
To or toward that place: “trickery that attracted him thither”.
 
Synonyms
there – thitherward – therein – yonder – thereto

On The Surface and Pluto In Capricorn

February 27, 2013

I shouldn’t make the connection straight right at the start of this post, or any post; connecting by definition of intelligence of what makes sense and what’s on your mind, that simply implies two different things; either they do connect or they will, of either of those that they may not, or a third subject must be introduced to join the two.

.The subject is important now, so this comment will stay viewable untill margins and links are corrected

Forget that, if you still do not get it.
There’s to much going on up there.
Scroll down if you want, or need…

MARGIN EDITING FOR THIS POST IS AN OVER-WHELMING OBSTACLE
Also links were auto-text-formed by WordPress in my shift to edit.

A TAG is added EDITING IN PROGRESS; The tag will remain till complete

.The subject is important now, so this comment will stay viewable untill margins ar corrected

Scroll down to ‘harmonics’…

…SOME MARGIN OF ERROR IS INEVITABLE..
..SO, MAYBE ONE OF THESE MARGINS WILL
MAKE SENSE, IF ONE JUST READS ONE COLLUMN …
… A COLLUMN THAT MAKES SENSE.

Here on this post I will present the subject
in the title bar the best I can.

I can keep things in the margins straight.
Keeping margins
on same sense of reasoning.

To geeky technical stuff to the left..
..so better I explain to the  right..
…or to understand, at right, is the one margin over
where I should’ve wrote this right the first time.

The Margins will stray to the right…
… Left to Rightas I keep each stream in parallel..

i.e these margins should share some likeness
to a distant away in similarity thru navigation.

i.e no need to wonder down this stream of margins.

PRIORITY 1, THE STORY
PRIORITY 2, THE EMPERIC VIEW

PRIORITY 1, THE STORY AND THE INTERPRETATION
PRIORITY 2, THE EMPERIC NATURE ;

I WRITE THIS PART FIRST

EMPERIC
The standard positivist view of empirically acquired information has been that observation, experience, and experiment serve as neutral arbiters between competing theories. However, since the 1960s, a persistent critique most associated with Thomas Kuhn,[3] has argued that these methods are influenced by prior beliefs and experiences. Consequently it cannot be expected that two scientists when observing, experiencing, or experimenting on the same event will make the same theory-neutral observations. The role of observation as a theory-neutral arbiter may not be possible.
Theory-dependence of observation means that, even if there were agreed methods of inference and interpretation, scientists may still disagree on the nature of empirical data.[4]

On the same level…
..or on this same note…
…””harmoniously””…

Here on this post I present the subject
THE SAME AS printed in The Title Bar.

I CAN ONLY PRESENT THIS
the best I can .
That description , of MY OWN, could still be missinterpreted.

NOTE: I present the subject the best I CAN DESCRIBE IT.

Image is a lot here.
It’s our view.
{now i want to start this post with this sentence,
but when I do, the upper top (first) sentence,
that one that I did start with…
THAT would became the one I need to write this same note.
HARMONY OF PLUTO IN CAPRICORN
THE WORDS “WHAT’S ON THE SURFACE” are the words
used in the subject SPECIFICALLY imply the most common,
OR the most often FIRST CHOICE as defined, and most pronounced,
as the general meaning in material appearance.
Image is a lot here.
Its OUR VIEW.

THERE IS AN EMPERIC NEED TO KNOW
WHAT DESCRIPTION OR DEFINITIONS ARE.
SPECIFIC NEED TO KNOW
ABOUT “Pluto In Capricorn”
IN ORDER FOR ANYONE TO HARMONIZE
ALONG WITH ITS MEANING.
(That’s my guess. Is that right?)

So, the first thing I found was that I had to rearrange
the definition of “EMPERIC” IN ORDER TO UNDERSTAND THE ASTROLOGERS.
Now, I have to explore herecy defitions AS I WRITE,
to stay within the good stream of christian orthodox

Now the order of how things are presented have become the center focus; the harmony will be my one word sense of reasoning}
Along the way as one may be reading and wondering(on my own as I write and think how it sounds) to gage placement,; that about my starting point that I fall back on, relating either the Wisdom of the knowledge and balance with Specifically Astrology… WITH THE FRAMEWORK IN MIND, TO FINDING JUST WHAT IS EXCEPTABLE WITHIN THE CHRISTIANITY REALMS… a seperate wonder…
..and “”my own”” conscience to write this correctly; …that’s, I guess, because i don’t feel comfortable enough to simply guess … or to ask others to guess, but to display the wonder in ballance.
So,..
…AS(myself) having a love for CHRIST, CHRIST LOVING JESUS, AND His BELIEF AND HIS TEACHINGS TO US OF/AND OF GOD. A frequent tool searching scripture I often use may help anyone here:
A tool I use: WEBSITE URL- http://bible.cc

SO THIS i ENJOY THE RESILIANCE AND WRITE TO EQUATE THAT WONDER:
I could tell this true story…
..okay,
..WITH THAT IN MIND, the reader of that story has an equating value of reality.
In a parallel story that is metaphore, and not a real material phisical construct that ever occured,…
…THEN WITH THAT IN MIND, the reader knows either the writer is imagining something while putting some type of spin on the written material’s topics.
..OR SOME THOUGHTS OF WHAT TESTING THE THEORY WOULD STAND UP TO, IS THAT THE READERS THOUGHTS ARE OF ENTERTAINMENT VALUE AND LIKEABILITY WITHIN THE CONSTRUCTS; i.e., {I could have wrote above just to skip down (half margin) HERE to this part of the story}
In eXample,
IN the story I heard, or read, there appeared to be the metaphoric value in a real life reallity, simply in the way it showed that a kind act had changed the morality and mood, and changed the emotional background both from its place as a background to forefront and center; from a dull dreary and annoing Monday Monday type back to work as usual, in an environment that had a norm of sadness in ways of economic depressions ; a smile and a nice gesture by way of a good old fashioned and very common manorism.
And that from the reaction of the little boy and girl in that story’s reallity “as children” and as those children and adults transitioned hormoniously from that point!
That story within the reader is also changing as within each and all of us, as it is.
What is it now, that to contentment and happiness has to be made; by some, like in that story; by effort of choice; even if we really dont want to.. or hadn’t felt like we could or would ..
..sometimes the smile from 1 person is all it takes.

Whether by observation or a participant by choice, or at some distance in the midst; things are moving whether grass is growing under our feet or not as all things, change:
So know, that what I know as I believe from this starting point of this post:
I read this…
..I shared this: …
… to join us in this together: Just try this read to know what I am falling back on as one constant:
Proverbs 3:5-6 (chapter 3 Verses 5 thru 6) reads:
5)”Trust in the LORD with all thine heart , and lean not unto thine own understanding. 6) In all thy ways acknowledge him, and he shall direct thy paths.
(I will explore more about that one part in that where All the translations have capitol Letters for the word LORD. ..

“HEALING“ HAS BEEN FOUND OF IMPORTANCE HERE
ISAIAH 3
7In that day shall he swear, saying, I will not be an healer; for in my house is neither bread nor clothing: make me not a ruler of the people.

I say “go with God and God be with You”
Heal is a command a dog knows

AND ASK WITHIN A MINISTRY FOR ADVICE
A sensable collection of knowledge or list of topics should be presented with questions within a ministry to help in understanding what sense of usage these topics could imply.
Reckless answers as well as the intellect of being opposed to far out of your own orthodox clerical and understanding from that pulpit could raise the sense faithlessness, foolishness, and even heresy.
Heresy should be of equal or parallel concern to help a person understand through their own thinking processes knowing their orthodox boudery or limitations or general rules combigned with useages and presentations of the topics; in all as they are learning, and even wondering of the whether to pursuit further .

i.e. EVEN THESE THREE GOOGLE RESULTS ON THE SURFACE SOUND SUPPORTIVE…
• Previous Question – Orthodox Presbyterian Church
http://www.opc.org/qa.html?question_id=117 Similar
… late D. James Kennedy, famous Presbyterian and Calvinist minister, giving a … against such practices as divination and astrology, how is this kind of heresy …
• Neo-Montanism: Pentecostalism is the ancient heresy of Montanism … http://www.bible.ca/tongues-neo-montanism.htm- Similar He was excommunicated from the Presbyterian Church over his heretical Christological …. God’s Word consists of the zodiac, Egyptian pyramids and scripture.
• THE FALSE GOSPEL IN THE STARS
watch.pair.com/zodiac.html- Similar
Let now the astrologers, the stargazers, the monthly prognosticators, stand up, and … minister, Seiss a Lutheran preacher and Kennedy is a Presbyterian minister. … certainly savour of heresy; if indeed they be not in themselves, as many even …

AGAIN:
5Trust in the LORD with all thine heart; and lean not unto thine own understanding.
6In all thy ways acknowledge him, and he shall direct thy paths.

Gather some sense of topics by these words as vocabulary for what I extend further with the mix of sensability, or call that a formula, along with the likes as written above:
astrologers as presented in bible.cc
Topical SearchCHALDEAN
Chaldean (4 Occurrences)
Chalde’an (6 Occurrences)
Astrologer (1 Occurrence)
Chalde’a (9 Occurrences)
Chaldaean (9 Occurrences)
Chaldea (8 Occurrences)
Belshazzar (8 Occurrences)
Merodach (2 Occurrences)
Antediluvian
Patriarchs (6 Occurrences)
Antediluvian Patriarchs
Astrologers (9 Occurrences)
Jehoiakim (37 Occurrences)
Canonicity
Futility (19 Occurrences)
ASTROLOGERS
Astrologers (9 Occurrences)
Stargazers (1 Occurrence)
Prognosticators (1 Occurrence)
Star-gazers (1 Occurrence)
Sooth-sayers (5 Occurrences)
The Zodiac
Zodiac Signs
Chaldean (4 Occurrences)
Prodigies (2 Occurrences)
Circles (2 Occurrences)
Horoscope
Constellations (4 Occurrences)
Magicians (16 Occurrences)
Soothsayers (16 Occurrences)
Astrologer (1 Occurrence)

Now the ASTROLOGERS STORY
ASTROLOGERS SEE things this way .

AS they are presenting …
…sure interpretation is involved…
… and THEIR harmony story, in part-
– ‘AS I believe, AND HOPE TO PRESENT UNDERSTANDABLY-
– THAT THEY ARE “”parting”” – HARMONICS –
..then, I think it would be fair to exchange your {you, the reader}
interpretation of the word “PARTING” with the word ADULTERATING; harmonics.

What Harmonics may not be as important as how things resonate
both by the story and what reall is going on.
The relationship is the story, and I’m trying to figure that out.
{If you don’t get it, or havn’t gotten that yet…
..I;m with you so far.

If you already know…

..somehow the way passed right by me.
I didn’t leave something out did i?
“EMPERIC”

As I have presented as VERB SENSE, AND then the reader may accept and except that as an adjetive with the word substitute being the word ””ADULTERATING HARMONICLY”” as an extreme, if not the verb sense as simply adulterating harmonics. I did not say , and do not mean “PERVERTING”; yet in that again, if this presentation is correct as I place it in this presentation, the perversion may simply be a sin or bias of any number and or combinations of the 5 human senses.}
THIS ASTRONOMY POSITION OF THE PLANETS AND THE COLLECTED DATA RELATED BY ASTROLOGERS:
… the persuasion of representation as an attribute of Pluto having influencial triggers involving the present and on the surface familiarity to all of us, whether we are mentally aware of it or subliminally or biologically familiar to understandings with : intillectual depth and change.
OF the wording of “”EMPERIC”” I ReDefine the DEFINITION
I MAKE THIS CHANGE FROM THE WikiPedia PAGE BECAUSE
– because – OF THE WAY IT CONNECTS (THE STORY) because
-BECAUSE becomes CAUSE: CAUSE – TO WRITE THIS FIRST
( editing note that in this WordPress Format a SERIOUS MARGIN ERROR HAS OCCURRED HERE and I can not pull these 4 lines back to the right aligned with this paragraph} (END EDIT NOTE)
CAUSE – TO WRITE THIS FIRST is described as “an emperic need”.
AND SO I WANTED TO WRITE THAT FIRST
JUST BECAUSE THE STORIES LEADING UP TO THIS CONSTRUCT OF THE MEANING OF THE WORD EMPERICAL, AS USED, AND AS DEFINED; IT IS AND SHOULD BE IMPORTANT TO SEE THE DEFINED LEDE FROM THOSE STORY’S MEANINGS HAVING THE PRIORI SUPPORT OF THE DETERMINED VALUE OF EMPERIC KNOWN IN ADVANCE, THIS IN MY IDEAOLOGY is A MAJOR CHANGE TO DEFINING “HARMONICS” as ASTROLOGERS PRESENT “”INTERPRETATIONS”.
What does HARMONY mean to the reader?
Harmony is not an individual interpretation yet its open to critique.
Interpretating in astrology, or astronomy, “harmony” is not enslaved by the science or the scientist; harmony is the largest subset if in not a SUPERSEEDING TERM THAT IS AND ALWAYS HAS BEEN, THAT WHICH IS THE MAIN TOPIC OF THIS POST AND WHAT ASTOLOGERS ARE SAYING THEY ARE PRESENTING by the word ‘RELATIONSHIPS”.
I HAVE NOW DON MY BEST TO PLACE “”HARMONY”” Physically , at the CENTER OF THIS POST.
THUS LIKEWISE, THE ASYTOLOGY STORIES SHOULD FIT LIKE A MISSING PIECE TO A PUZZLE TO THE READER:

I WROTE THIS PART FIRST
EMPERIC
The standard positivist view of empirically acquired information has been that observation, experience, and experiment serve as neutral arbiters between competing theories. However, since the 1960s, a persistent critique most associated with Thomas Kuhn,[3] has argued that these methods are influenced by prior beliefs and experiences. Consequently it cannot be expected that two scientists when observing, experiencing, or experimenting on the same event will make the same theory-neutral observations. The role of observation as a theory-neutral arbiter may not be possible. Theory-dependence of observation means that, even if there were agreed methods of inference and interpretation, scientists may still disagree on the nature of empirical data.[4]

ORIGINAL WiKIPEDIA STARTS THIS WAY
AND ADDS THE ABOVE CONTENT LAST.
3 PARAGRAPHS TOTAL
HERE ARE THE OTHER TWO
AS IS, AS THE WIKIPEDIA DISPLAYS FROM START:

Empirical evidence (also empirical data, sense experience, empirical knowledge, or the a posteriori) is a source of knowledge acquired by means of observation or experimentation.[1] Empirical evidence is information that justifies a belief in the truth or falsity of an empirical claim. In the empiricist view, one can only claim to have knowledge when one has a true belief based on empirical evidence. This stands in contrast to the rationalist view under which reason or reflection alone is considered to be evidence for the truth or falsity of some propositions.[2] The senses are the primary source of empirical evidence. Although other sources of evidence, such as memory, and the testimony of others ultimately trace back to some sensory experience, they are considered to be secondary, or indirect.[2]
In another sense, empirical evidence may be synonymous with the outcome of an experiment. In this sense, an empirical result is an unified confirmation. In this context, the term semi-empirical is used for qualifying theoretical methods which use in part basic axioms or postulated scientific laws and experimental results. Such methods are opposed to theoretical ab initio methods which are purely deductive and based on first principles.[citation needed]
Statements and arguments depending on empirical evidence are often referred to as a posteriori (“from the later”) as distinguished from a priori (“from the earlier”). (See A priori and a posteriori). A priori knowledge or justification is independent of experience (for example “All bachelors are unmarried”); whereas a posteriori knowledge or justification is dependent on experience or empirical evidence (for example “Some bachelors are very happy”).
(End EMPERIC AS i REARANGED THE ORDER of that WikiPedia Article ..
… THE PRESENTATION THAT IS By WikiPedia; WikiPedia Article resource linked.)
This is where the “‘emperic”” value stems from :
According to John Addley(astrologer), astrology was not considered a scientific discipline because of the prejudices of orthodoxy, and a disinclination of astrologers to use the empiric and rational tools being refined by post-enlightenment scientists of all kinds. For this reason, Addey helped found the Astrological Association of Great Britain in 1958. He was the Association’s first Secretary, and, on the resignation of its President Brigadier Roy Firebrace in 1961,[2] became its second President, holding the office until 1973, at which point he became the Association’s Patron. He edited the organisation’s magazine, The Astrological Journal from 1962 to 1972, and was the prime mover in establishing the Association’s annual conferences. One further contribution to organised astrology should also be mentioned – he founded the Urania Trust as a registered education charity in 1970.
[end wikipedia article excert)…
…(see more on wikipedia.com)
Theory of “Harmonics”
Addey’s most important contribution to modern astrology was the Harmonic theory, which sought to put the understanding of astrological effects on a clear and rational footing. Starting from the great Platonic statement (Timaeus, 37d) that “Time is an image of eternity flowing according to number”, Addey identified astrology as “the study of effects in the world of flux and change” in a 1958 article, ‘The Search for a Scientific Starting Point’;[4] and later articulated the fundamental law – “all astrological effects can be understood in terms of the harmonics of cosmic periods”.[5] In other words, the temporal world is only truly understood when it is seen as making manifest the great eternal ideas – Platonic Forms – in ordered cosmic periods.
Reception of Addey’s theory of Harmonics
ALL I CAN TESTIFY OF THAT IS THAT IN MY OWN EVERYDAY
OBSERVANCE IN THE RECENT YEAR IS THAT COMPLEX SUBJECTS SEEM TO BE COMMON DISCUSSION, THOUGH NOT IN DEPTH, THE CONVERSATIONS SEEM TO BE DIVERSE TO MANY TOPICS AS A NORM.
HERE ARE OTHER POSTS I MADE ON HARMONIC
http://oleship.blogspot.com/search?q=harmonic
i WILL NOT GO INTO BELIEFS OF THE MEANINGS OF THE WORDS RELATING TO “”OCCULTATIONS” , thats where I stop.
The Moon/Pluto Occultations By Alex Miller | May 7, 2012
There is currently a rare astronomical event that may have dramatic astrological significance, and which has not been receiving as much attention as it should — the series of occultations of Pluto by the Moon. Beginning in April 2012, the Moon will pass directly in front of Pluto, blocking its energy for no less than 19 consecutive months! Given the fact that this occultation hasn’t happened since 1935, it would appear to be a major event, with some cosmic intent or purpose for the world at large.
Occultations are essentially eclipses, with one celestial body passing in front of another, from our perspective on Earth ….(more on Mountain Astrologer)
The Mercury Elemental Year 2013 | The Mountain Astrologer ountainastrologer.com/tma/the-mercury-elemental-year-2013
Dec 24, 2012 – For those of you less familiar with The Mountain Astrologer, I have posted …. and they both conjunct the U.S. natal (Sibly) Pluto in Capricorn.
The The Mercury Elemental Year 2013: A Watery Chapter in the Book of Revolution
by Gary P. Caton
In my article for TMA this summer, I called upon astrologers to become more aware of the astrological nuances within the Uranus-Pluto squares of the next few years and the corresponding “Epoch of Revolution.” (1) Because they are invisible and have orbital periods that dwarf most human activity, it is my opinion that the outer planets represent vast transpersonal/societal forces and/or levels of awareness beyond normal everyday reality. In my experience, this can make the outer planets very hard for many people to access in a positive and productive fashion.
• Linda C. Black horoscopes for eleven/26/12
http://www.astrologyflash.com/…capricorn…/linda-c-black-horoscopes-for-
Nov 27, 2012 – Pluto enters Capricorn (until finally 2023) nowadays, bringing foundational. … Tribune Media Providers Linda Black Horoscopes. … 2012 Love Horoscopes, 2012 Yearly Horoscope, 2013 Chinese Horoscope, Aquarius Love …
o Planetary Trends & Horoscopes
astrology.about.com › Religion & Spirituality › Astrology
Susan Miller on Saturn-Pluto … Susan Miller on Monster Moons, 2013 … Astrology Zone’s Susan Miller with tips on how to thrive in the 2013 economy, with areas …
Is This just a machanical process?
Now if there is any corealtion of truth to Earth Traveling Through The Constelations in a parallel having the sky as our calendar …
..where and what are the notes ?
In A SENSE, the word “History” today as the subject is taught and believed
is THE NEER SAME SENSE, that 100 years ago, even in this country; mythology shared the same sense of truth.
The Historian or Historic Network media of our day…
STORIES????:::
These are the astro—
– I’m not EVEN GOING TO SAY THIS IS ASTROLOGICAL STORYS”
‘JUST THE ZODIAK STORIES MIXED WITH biblicle stories
ARIES at the time of Abraham, then we were moving to Taurus.
Taurus at the time of Moses; then we were moving to Piscies
Piscies at the time of Jesus; then we were moving to the Age of Aquarius…
..SO IF NOW IS…
…THAT THE AGE OF AQUARIUS IS; …
… THEN is that stream now really moving the themes, like all those other stories, over TO descriptions of CAPRICORN?
Aries
http://www.constellationsofwords.com/Constellations/Aries.html – Similar
The Biblical school said that Aries represented Abraham’s Ram caught in the thicket [Allen, Star Names] when the then current religious-law demanded that the …
after Egyptian worship of the bull-god Osiris had spread to other Mediterranean countries, our Taurus naturally became his sky representative, as also of his wife and sister Isis, and even assumed her name; but the starry Bull of the Nile country was not ours, at least till late in that astronomy. Still this constellation is said to have begun the zodiacal series on the walls of a sepulchral chamber in the Ramesseum; and, whatever may have been its title, its stars certainly were made much of throughout all Egyptian history and religion, not only from its then containing the vernal equinox, but from the belief that the human race was created when the sun was here. In Coptic Egypt it, or the Pleiades, was Orias, the Good Season, Kircher’s Static Hori, although it was better known as Apis, the modern form of the ancient Hapi, whose worship as god of the Nile may have preceded even the building of the pyramids.
As first in the early Hebrew zodiac it was designated by A or Aleph, the first letter of that alphabet, coincidentally a crude figure of the Bull’s face and horns; some of the Targums assigning it to the tribes of Manasseh and Ephraim, from Moses’ allusion to their father Joseph in the 33d chapter of Deuteronomy, — “his horns are the horns of the wild ox”; but others said that it appeared only on the banners of Ephraim; or referred it to Simeon and Levi jointly, from Jacob’s death-bed description of their character, — “they houghed an ox”; or to Issachar, the “strong ass” which shared with the ox the burdens of toil and carriage.
It has been associated with the animal that Adam first offered in sacrifice, {Page 382} or with the later victims in the Jewish temple; and the Christian school of which Novidius was spokesman recognized in Taurus the Ox that stood with the ass by the manger at the blessed Nativity. Hood said of this: “But whether there were any ox there or no, I know not how he will prove it.” In the “apostolic zodiac” it became Saint Andrew; but Caesius said that long before him it was Joseph the Patriarch.

History of the constellation
from Star Names, 1889, Richard H. Allen
Capricornus next to the eastward from Sagittarius, is our Capricorn, the French Capricorne, the Italian Capricorno, and the, German Steinbock, — Stone-buck, or Ibex, — the Anglo-Saxon Bucca and Buccan Horn.
One note to add is that there are many a story old and new, mostly they are ancient to our preserved and restored collections with our measured understanding of historic values. Our systems are not perfect and we utylise what we can understand about things. Some to a material or oral traditin as told within a story may real and true, while others that may be metaphore may also be true and real in their own way.
While some truth may be to a story real or metaphore, other stories may be fabricated.
Fabrications may be new or ancient, the story or data spun over any span of history.

One Comment found in some sence of desperation by Glenn Kimball while he was pursuing his Doctorate:
Letter to Sterling from Glenn Kimball at “Ancient Manuscripts . com”
You have to understand that it is not my intention to be a missionary movement for the church. I think that investigations of the Book of Mormon need to come as a natural adjunct to historical research. I encourage LDS people to look beyond their history to documents that would vindicate their beliefs. They don’t do that and many precious things are still lost to them. The truth has the power to emerge on its own if we have ears to hear and eyes to see. In that I have more faith in Christ than my brethren. I also believe that God works among all His children. In that I am alone among my brethren. How could members of the Church stand in sacrament meeting and honor Joseph Smith for the restoration of the Book of Mormon and reject the records of the rest of the holy prophets because they are not contained in our private standard works? Why doesn’t someone pull out the seer stones in the vaults and begin again. Jesus said that in the last day that which was hidden will be made manifest. We live more in that day than did Joesph. The great discoveries of the desert and Nile and the great revelations from hidden libraries fill our world. Joseph found the Pearl of Great Price with an Egyptian Mummy. Could we possibly feel in our pride that there isn’t more? Are we to follow the hollow words of the world who say that we have enough and need no more? Can we throw away the words of Jesus and the prophets in such a cavalier attitude? We have become what we despise if we do. My job is to raise the consciousness of the world to the ancient texts. The Lord will purify them someday with a great translation. Perhaps he will reveal some of them to be forgeries. However, they are not all forgeries.

Glenn Kimball

Resources suggested for evaluating astrology
http://www.constellationsofwords.com/
http://www.astro.com
Resources for Myth, Lore, Legends
Glenn Kimball (VERY DIFFICULT TO FIND INFO)
——————————————

——————————————

——————————————-
——————————————

de gustibus non est disputandum

February 26, 2013

… la plus belle avenue du monde …
…where a cow paddy may be in the upwind …
…Denied to a post I once Subscribed …

….down wind: when an unsigned author rejects a comment or reply..
…and the commenter’s reply is a compliment …

Denied to a post I once Subscribed
…still, rejected with a personal message notice that any further
… comments or replies will be deleted …
.
Denied to a post I once Subscribed
.. what more is this than a pasteurizing process?..

Denied to a post I once Subscribed
Watch your step on comments and reples to that page
(edited out edited out the blog name  that was  a ,.wordpress.com,
and I have not a clue what to watch out for but what seemed to be my own
innocent compliment; complimentary  as anyone could …

…and,,
…where many have left there comments before…i .

Denied to a post I once Subscribed
Inspiration was their tag.

Maybe there was a reply cut short , ..
…having only the signature(my signed  notification to the blog…
..I don’t know.
I know that’s more a technical issue and NOT AN ETHIC applicable concept .

And you know what they say, about fine tastes,,,

… de gustibus non est disputandum .

FREE PLUS MORE TO SUBSCRIBERS

February 26, 2013

FREE PLUS MORE TO SUBSCRIBERS

Where is the LOVE…?

Wonderful Prospects ***
Valid during many months: At the moment you appear more radiant and
beautiful than usual. If you are presently in love, the reason for this [..]
Pleasantly lazy
*** Valid during many months: You feel very light-hearted and sociable now…

see http://www.astro.com

Elsewhere…

…Obliviously,
This was written without view of my last post…

,,,yet forescene now fore the next one.

for an oscar, this performance would only be a filler,

a simple script to bridge the boundery with the limitations

no hidden messages

maybe durable enough to last …

….certainly through more than a few

 

declined comments

February 25, 2013

Declined comments are the worst; worse than spam mail, as the bloggers post their open “‘LURE”” having “”REPLY”” buttons for response to add for their own reasons unknown by some who fall
for the lure by adding their own best compliments and writing their own dearest relating by the bloggers open request…
..oh , but not your’s.
Weee doggeees you know, it is a relief to know that the technology equipment is working correctly, having a knowable system expresing that comments have been recieved!
Butthere is the drag of editing away forever, the suttle slip of openess to welcoming all members of us who write within our WordPress boudary and suggested limits of respect, that still someone out there may not se things in the same light as they do; or do not, as since they don’t….
…and causing a backlash of deleting genuine good thoughts and close to soul feelings presented relatively understandable to any reader: now deleting….
..no further mention to what or interest in why.
Yet, a huge interest exist in not being involved in anything I believe is misleading and a perversity to the whole of ones’ personal aspect; even if subtley, they are just the only one yet that I know.
I could have many that would rather I did not comment on their own.