A thesis submitted for the degree of Doctor of Philosophy in the Faculty of Science.
Thesis Statement: This dissertation introduces AlphabetSequence ( 2 Corinthians 10:9-18 ). The AlphabetSequenceIndex is the result of a pure function to sum alphabet places AlphabetSequence.cs . The AlphabetSequenceIndexScriptureReference are the offsets from the beginning and the ending of the Scripture. The AlphabetSequenceIndexScriptureReference consists of four parts; there are two references each to particular chapters and verses. The first mention is the forward verse, which the author calculates by determining the AlphabetSequenceIndex verse in the Bible. The second mention is the forward chapter, and this the author calculates as before, but by substituting the verse with the chapter. Both the backward chapter and backward verse are the corresponding, anticlockwise places.
Where does the Bible list? Creation days, genealogies, allies, plagues, tribes, journey, commandments, reigns, kingdoms, disciples, fruit of the Holy Spirit, churches.
Chuck Missler of Koinonia House (KHouse) is worthy of note, faith (Hebrews 11).
The author is indebted to Ury Schecow, his Master's degree supervisor, at the University of Technology, Sydney (UTS), 15 Broadway Ultimo (NSW), 2007, Australia. The author is grateful to Tom Osborne, his Artificial Intelligence instructor; and Brian Henderson-Sellers, his Object-Oriented Technology instructor; both also at UTS. The author makes mention of his colleagues at UTS; Decler Mendez, Cesar Orcando, Ricardo Lamas and Peter Milne. The author stretches his open hand to Robyn A. Lindley, his Doctorate degree supervisor at the University of Wollongong (UOW), NSW 2522, Australia.
| Part | Example | Commentary |
|---|---|---|
| Sub-domain | www | A sub-domain defaults to www. |
| Domain | JesusInTheLamb | |
| Country code top-level domain (ccTLD) | .com | An abbreviation for commercial. A default domain extension. |
| Directory and filename | index.html | |
| Fragment | ||
| It is not an e-mail address, since it does not include an at sign, @. | ||
| It defaults to port 80. | ||
| It defaults to the homepage. | ||
The issuing of this domain name may be related to commencing writing the book titled Ocean Senior. There has not been a follow-up on future artifacts. But when one reads the Bible, the book of Revelation, which starts with the letters to the 7 churches in Asia Minor, does not instigate future alteration.
ALTER TABLE Bible..Scripture ADD CONSTRAINT PK_Scripture PRIMARY KEY CLUSTERED
(
BookID ASC,
ChapterID ASC,
VerseID ASC
)
is for setting the primary key.
There are varchar(MAX) columns which has the text for each Bible version.
ALTER TABLE Bible..Scripture ADD CONSTRAINT CK_Scripture_BookID_Range CHECK (BookID BETWEEN 1 AND 66)
will set the range restriction.
SELECT MAX(ChapterID) FROM Bible..Scripture
is for determining the upper limit.
The SQL statement
ALTER TABLE Bible..Scripture WITH CHECK ADD CONSTRAINT CK_Scripture_ChapterID_Range CHECK (([ChapterID]>=(1) AND [ChapterID]<=(150)))
will set the range restriction.
SELECT MAX(VerseID) FROM Bible..Scripture
is for determining the upper limit.
The SQL statement
ALTER TABLE Bible..Scripture WITH CHECK ADD CONSTRAINT CK_Scripture_VerseID_Range CHECK (([VerseID]>=(1) AND [VerseID]<=(176)))
will set the range restriction.
The author would have considered placing an index on the KingJamesVersion column, but the author found out during his research that the verses in the KingJamesVersion are not unique nor distinct, and indexes are not applicable to where like query conditions with leading wildcards.
(case when BookID <=(39) then 'Old' else 'New' end)
will set this computed column.
The Testament column serves as a filter, such as, in the
BibleWord.
dbo.udf_BookTitle(BookID)
It is for determining this computed column.
As expected, there is a correlation between the BookID column, and its corresponding BookTitle column; it progresses from Genesis to Revelation.
Because SQL does not support arrays, the author chose to write an SQL CLR C# function for determining the BookTitle when passed the BookID.
Although C# supports Design by contract assertions, the author only checks BookID range validity, and returns NULL, if the argument does not fall within this range.
The author could throw exceptions, but the author does not know the side effects nor the full ramifications.
Instead of writing and determining the book title using C#, an alternative is to use a database table.
A table with two columns, BookID and BookTitle, will store and make
extractable
the sixty-six books.
For example, the first book of the New Testament, the 40th book, spelling is Matthew or Mathew, double tt versus (VS) single t.
An improvement on the current implementation is to use soundex to decipher the book title and the corresponding BookID.
dbo.udf_ScriptureReference(BookID, ChapterID, VerseID)
Will calculate the conjecture of the BookTitle, ChapterID, and VerseID.
Since this is a computed column, therefore, the author is not able to set its
Entity Integrity;
if it were not the SQL statement
ALTER TABLE Bible..Scripture ADD CONSTRAINT uc_Scripture_ScriptureReference UNIQUE (ScriptureReference)
Will set its entity integrity.
The distinction between raw data versus computed columns is performance and space.
SELECT BookID, ChapterID FROM Bible..Scripture GROUP BY BookID, ChapterID ORDER BY BookID, ChapterID
will decide the greatest value for ChapterIDSequence.
An alternative SQL statement
select count(
distinct
cast(BookID as varchar(6))
+ ' '
+ cast(ChapterID as varchar(6))
)
FROM Bible..Scripture
Another SQL statement
; with cte
(
BookID
, ChapterID
)
as
(
select distinct BookID, ChapterID
FROM Bible..Scripture
)
select cnt = count(*)
from cte
The SQL statement
ALTER TABLE Bible..Scripture ADD CONSTRAINT CK_Scripture_ChapterIDSequence_Range CHECK (ChapterIDSequence BETWEEN 1 AND 1189)
will check the range correctness.
Although it is good to know the ChapterIDSequence, but it is primarily used to decide the boundaries for scripture reference queries.
SELECT BookTitle FROM Bible..Scripture GROUP BY BookID, BookTitle HAVING MAX(ChapterID) = 1 ORDER BY BookID
is for listing these one chapter, Bible books.
The VerseIDSequence ranges between 1 and 31102; starting from Genesis 1:1,
and ending at Revelation 22:21.
The SQL statement
SELECT COUNT(*) FROM Bible..Scripture
will decide the greatest value for VerseIDSequence,
the total number of rows, records, in the Bible..Scripture table.
The SQL statement
ALTER TABLE Bible..Scripture ADD CONSTRAINT CK_Scripture_VerseIDSequence_Range CHECK (VerseIDSequence BETWEEN 1 AND 31102)
will do the data integrity.
As said earlier, although it is good to know the VerseIDSequence,
but it is primarily used to decide
the boundaries for scripture reference queries.
The identity functionality which auto-increments,
before inserting each row is useful,
for ensuring this candidate primary key,
abides by the entity integrity constraint; however,
The SQL statement
ALTER TABLE Bible..Scripture
ADD CONSTRAINT AK_Scripture_VerseIDSequence UNIQUE (VerseIDSequence)
is supplementary.
((right('00'+CONVERT([varchar](2),[BookID],(0)),(2))+right('000'+CONVERT([varchar](3),[ChapterID],(0)),(3)))+right('000'+CONVERT([varchar](3),[VerseID],(0)),(3)))
will combine the BookID, ChapterID, and VerseID.
This is a convention for referring to Bible rows, by a unique identifier,
which consists of the BookID, ChapterID, and VerseID.
The leading zeros are placeholders for blocks of IDs, such as,
BookID which will have two digits,
ChapterID which will have three digits,
and VerseID which will also have three digits.
It is easier, faster, and more compact to restrict and order by numbers rather than text.
Listed below, is the result set, for this SQL statement.
SELECT ScriptureReference, BibleReference
FROM Bible..Scripture_View
WHERE BookID = 43 AND ChapterID = 1 AND VerseID = 1
| ScriptureReference | BibleReference |
|---|---|
| John 1:1 | 43001001 |
There is a conversion page BibleReference.html. Please note, that the author has not developed this further, it is just an introduction and speculation, which others may wish to adopt.
Most of the applications, extract information, and query the Scripture table. If the user chooses to, he may choose to load another Bible version, into the Scripture table and the application will still work as usual, and there will be no need to make changes to the application; thereby, achieving 0 Separation of concerns (SoC).
The Exact table's, primary task, is to tell, on the words that are in the Bible. Its information set include each word's first and last scripture reference occurrence(s), and count of occurrence(s). If the word, occurs only once, then the last occurrence is set to null. The incentive for writing the exact module comes from Dave Hunt, who will talk of each word's specifics, and Chuck Missler who noted that the first occurrence of the word, love is in Genesis 22:2. The exact table, is a holding area, for staging information; it could be argued that there is no need, to have this table, because it sources its information from the Scripture table, and it is available using Language Integrated Query. The reasoning of the author is that the Scripture table is static data, and it does not need processing, each time, there is a request. Speed and lower work load are the advantages of the approach of the author; its disadvantage is that the exact table needs re-population, when there is a shift to another Bible version, which the author does not project, at this time. If there is a need, to support another Bible version, then the Exact table loading procedure needs expansion to aid, this flexibility. The Exact result for the author's initials, KAA, is Karkaa, meaning floor (Joshua 15:3). Word Occurrences is dynamic, and it supports the other versions of the Bible.
SELECT MAX(ExactID) FROM Bible..Exact
is for determining the highest value.
The SQL statement
SELECT COUNT(BibleWord) FROM Bible..Exact
is for determining the word count.
The SQL statement
ALTER TABLE Bible..Exact ADD CONSTRAINT CK_Exact_ExactID_Range CHECK (ExactID BETWEEN 1 AND 12891)
is for the range restriction.
For storage reason, the author has chosen, not to have a unique index,
on this candidate primary key; in-spite, of it being a query item.
Future implementation, may issue the SQL statement
CREATE UNIQUE INDEX AK_Exact_ExactID ON Bible..Exact(ExactID)
SELECT SUM(FrequencyOfOccurrence) FROM Bible..Exact
is 789631; this is the count of the words in the KJV Bible.
ALTER TABLE dbo.Exact ADD CONSTRAINT PK_Exact PRIMARY KEY CLUSTERED (BibleWord ASC)
ALTER TABLE dbo.Exact WITH CHECK ADD CONSTRAINT FK_Exact_Scripture
FOREIGN KEY(FirstOccurrenceScriptureReference)
REFERENCES dbo.Scripture (ScriptureReference)
Please note, that as discussed earlier,
the author cannot have, a unique constraint, on the Bible..Scripture.ScriptureReference column,
since this is a computed column;
the author can not keep up the relationship, at this time.
This is the reference to the scripture where the word last occurs in the Bible; if there is only one occurrence, the value of this entry is null. As with the FirstOccurrence column, the referential integrity rule applies.
This is to measure the word's longevity; the difference in VerseIDSequence between when it first and last appeared.
This is the pervasiveness of the word, how often is the word used in the Bible?
The WordEngineering SQL Server database, mainly consists, of four tables - HisWord, Remember, APass, ActToGod.
The HisWord table is what the author heard from the source. The entries in the HisWord table are exact and representable in alphanumeric format (Numbers 12:6-8). In following, the Bible's New Testament convention, where there are translations of Hebrew words to English which is being interpreted, (Matthew 1:23, Mark 5:41, Mark 15:22, Mark 15:34, John 1:38, John 1:41, Acts 4:36); so also, there are translations of Yoruba words to English.
There have been cases when the author cannot spell and fully comprehend what he heard. In such cases, and not dispose of the records, the author will partly enter what he heard. This impedance mismatch between what the speaker said and what the listener heard, rarely occurs with English words. But it is likely, in the author's native language, Yoruba, which exploits word combinations and phrases. The alphabets differ slightly between the English and Yoruba languages; Yoruba contains diacritic alphabets. The author requires a Yoruba dictionary and translator; a recent success is with the http://translate.google.com web page.
The word column is a potential natural primary key, since duplicates are rare. When redundancies do occur, we may append the sequence to the word, to generate a unique word. We do this manually, but an insert trigger, will offer automation, and will cut the risk of primary key violation, which leads to gaps in the identity column and, loss of data.
The HisWord's table, commentary column, contains implicit information. This communication is most likely non-verbal, and it is information such as creatures standing or moving towards particular locations or engaging in other visible activities.
As such, from the creation account, on the first day, there is a commandment, and there may be an action/response. The commandment is in the word column God created light ( Genesis 1:3, 5 ). The action is in the commentary column; God separated the light from the darkness (Genesis 1:1-2, 4).
Microsoft SQL Server generates sequential numbers for the HisWordID identity column. The goodness of this technique is that it is a candidate primary key, data loss is trackable, and it provides a sort key. The HisWordID column may serve as the primary and/or foreign key, the backbone of the Referential Integrity Constraint.
The Dated column is of the DateTime type. If an insert statement does not explicitly specify a value for the dated column, then it defaults to the current date and time of the (UTC-08:00) Pacific Time (US & Canada) time zone. There is a preference for the Coordinated Universal Time (UTC) format.
A relational constraint limit to a single foreign key? The author will choose either the most vivid or rare?
The HisWord_view composes of the computed columns deducted from analyzing the Word. The two most significant computations are the AlphabetSequenceIndex, and the reliant AlphabetSequenceIndexScriptureReference, respectively. The author derives the AlphabetSequenceIndex from the word by adding the place of the alphabets in the alphabet set. In the ASCII table, the lower case alphabets are between 97 and 122, and the upper case alphabets are between 65 and 90. The lower and upper case alphabets have the same places. The AlphabetSequenceIndexScriptureReference is the books, chapters, verses separation in the scripture. The author will consider the chapter and verse place, forward and backward. Use the AlphabetSequence.html to calculate the computed values identified above. The AlphabetSequence is like Gematria, Mispar Hechrachi method. Titles of God.
The Remember table tries to correlate the period between a prophecy and its
fulfillment.
The
terminus a quo
DatedFrom is when the prophecy begins,
and it marks the the date of issue or establishing of the prophecy.
The
terminus ad quem
DatedUntil is when a prophecy partially or entirely comes to pass.
(Koinonia House).
DateDifference.aspx
is for calculating the difference between terminus a quo, versus terminus ad quem;
the results are in days; biblical years, months, days; the Common Era.
The inspiration for adding the Common Era comes from
wikipedia.org
by Jimmy Wales.
To determine the HisWord and Remember entries? The author chooses to separate the particular and prompted inputs ( Luke 4:19 ).
First, inside and last dates.
This is subjective work; the author applys intelligence to find patterns and resemblances in the Bible.
| Name | Universal Resource Link (URL) | Commentary |
|---|---|---|
| github.com/KenAdeniji | github.com/KenAdeniji | Source control. http://kenadeniji.github.io/Github |
| Microsoft SQL Server | http://en.wikipedia.org/wiki/Microsoft_SQL_Server | The author has been using relational databases since 1988. |
| Microsoft Visual Studio | http://en.wikipedia.org/wiki/Visual_Studio | The author transitioned from using the Microsoft Visual Studio integrated development environment (IDE), because the command-line Microsoft Visual C# Compiler, csc.exe, suffices, and incompatibility software source files between versions during migrations. This same... could be noticed between HTML versions... prior to HTML5. These are our children... these are us. |
| Microsoft Windows Operating Systems | http://en.wikipedia.org/wiki/Microsoft_Windows | The author has been using Microsoft Disk Operating System (DOS) since 1984. |
| Notepad++ text and source code editor by Don Ho | http://en.wikipedia.org/wiki/Notepad%2B%2B | The author transitioned from using Notepad, because of tabbed editing, and formatting code. |
| W3 Nu Html Checker | validator.w3.org/nu | |
| www.JesusInTheLamb.com | www.JesusInTheLamb.com | Domain name for the website of the author. Alternative kenadeniji.wordpress.com |
| translate.google.com | translate.google.com/?sl=en&tl=yo&op=websites |
(Joe Celko, 2025-03-07).
Scales & Measurements Type of Scale Commentary Example of Scale Nominal Scales The numbers may serve as tags or labels which are quantitative with no values.
- Introduced on July 1, 1963, the ZIP Code system (an acronym for Zone Improvement Plan) traditionally contained five digits. In 1983, an extended code was introduced named ZIP+4, these postfix a hyphen and four additional digits for more specific addressing. The author does not validate the Zip Code, since it is not a world standard. Our view of the world attains us.
- Telephone number
Categorical Scales Dewey Decimal Classification used in libraries Absolute Scales An absolute scale is a count of individual, distinct items in the set.
- This may be the physical count of word occurrences in the Bible.
- The count of books that are in the Bible groups. For example, there are 5 books by Moses, and 4 Gospel books.
- The SQL COUNT() function returns the number of rows that matches a specified criterion.
- The Microsoft SQL Server variable @@ROWCOUNT returns the affected rows from any statement, even if it's not DML or a SELECT query.
Ordinal Scales An ordinal scale puts the attribute in a linear order. There are no operations or computations done with it.
- In an ordered list HTML element, the list items are sequentially arranged.
- An identity column is a numeric column in a table that is automatically populated with an integer value each time a row is inserted.
- The SQL ROW_NUMBER() function is a temporary value calculated when the query is run. To persist numbers in a table, see IDENTITY Property and SEQUENCE.
- The @counter-style CSS at-rule lets you extend predefined list styles and define your own counter styles that are not part of the predefined set of styles. The @counter-style rule contains descriptors defining how the counter value is converted into a string representation.
Rank Scales They have a linear ordering, and an origin. Having an origin prevent some of the transitivity problems. The Contact table contains a title column. SQL offers a group by, and having clause. Strength of password? Soundex?
- Military ranks
- Mohs scale for hardness (geology) of minerals
- Scofield scale for the strength of peppers
- Completely Automated Public Turing Test to tell Computers and Humans Apart (CAPTCHA) is a type of challenge–response turing test used in computing to determine whether the user is human in order to deter bot attacks and spam.
Interval Scales An interval scale is based on a standardized unit or interval. Another property of these scales is that they have no natural origin. Date difference, UNIX epoch? Ratio Scales These scales have a base unit, natural origin and meaningful operations. We also allow the creation of compound units with ratio and interval scales. They are called ratio scales because the units of measure are expressed as multiples or fractions of some base unit.
- HTML input range
- CSS percentage
(Allen G. Taylor, 2024).
Functional Dependencies Determinant Functionally Dependent Implementation Bible.Scripture.BookID Bible.Scripture_View.BookTitle Bible.udf_BibleBookIDTitle() Bible.Scripture.BookID, Bible.Scripture.ChapterID, Bible.Scripture.VerseID Bible.Scripture_View.ScriptureReference Bible.udf_ScriptureReference() Determination is achieved through computed columns.
(Allen G. Taylor, 2024).Index Query Type
Query Type Commentary Example Structured Query Language (SQL) Point query It will return only 1 record, and it is restricted by an equality condition on the primary key or unique index. Useful for searching for a particular verse. SELECT * FROM Bible..Scripture_View WHERE VerseIDSequence = 1Multipoint query It may return more than 1 record, as there may be multiple records. It is restricted by an equality condition on part of a potential composite key. Useful for searching for a particular chapter or book. SELECT * FROM Bible..Scripture_View WHERE ChapterIDSequence = 1Range query It returns a set of records whose values are within an interval or half interval. If it is restricted by both lower and upper bounds, then there is an interval. It is a half interval, if it specifies only one bound. Useful for searching for consecutive verses, chapters or books. SELECT * FROM Bible..Scripture_View WHERE VerseIDSequence BETWEEN 1 AND 10 ; SELECT * FROM Bible..Scripture_View WHERE VerseIDSequence <= 5Prefix match query The set is the match of an attribute. The author is unfamiliar with any use-case where only the first part of the wildcard is searched. The first part of the scripture reference is similar. For the BibleWord searches, the author uses like for match queries. SELECT * FROM Bible..Scripture_View WHERE KingJamesVersion LIKE ( SELECT TOP 1 KingJamesVersion FROM Bible..Scripture_View GROUP BY KingJamesVersion ORDER BY COUNT(KingJamesVersion) DESC )Extremal query It returns either the minimum or maximum extreme. Statistics SELECT * FROM Bible..Scripture_View WHERE VerseIDSequence = ( SELECT MAX( VerseIDSequence ) FROM Bible..Scripture_View )Ordering query The records returned are sorted. The results of the author are normally in ascending order. SELECT TOP 10 * FROM Bible..Scripture_View ORDER BY VerseIDSequence DESCGrouping query The records returned are grouped. Rarely does the author group rows by issuing the group by clause. SELECT BookGroup, COUNT(BookGroup ) BookGroupVersesCount FROM Bible..Scripture_View GROUP BY BookGroup ORDER BY BookGroupEqui-join query The records are retrieved from multiple sources. The author uses views for table joins.
(Humberto Cervantes, Rick Kazman June 2, 2024).Designing Software Architectures: A Practical Approach Making Design Decisions
- Use Facts
- Check Assumptions
- This whole thing started with keeping a work reference.
- Even though Yoruba is the native language of the author, he still and invariably relies on translate.google.com.
- The author depends on a typing assistant.
- Explore Contexts
Information re-use was the driving force of this software engineering. The author sought to learn programming and retain knowledge.- Anticipate Risks
The undesirable outcome and their probability of re-occurrence will include:
- Data loss or corruption because of issuing the database modification command and lack of timely archiving
- Hardware, software, or network failure
- Vendor withdrawal of support
Microsoft:
- Introduced .NET core and Model-view-controller (MVC).
- Inability to restore deprecated Microsoft SQL Server backup versions.
- Command-line reverse-engineering of database script does not conform with the newly released data types.
- Assign Priorities
The author prefers to first build and implement his strengths and specialties in the back-end (database and process logic), prior to designing the creative user interface.- Define Time Horizon
What period has God used?
- 1988, military census age: I Am taking you on a journey.
- 1997, priesthood age: I have brought something against you, but I Am with you.
- 2007, generation timespan: This masturbation will bring water.
- Generate Multiple Solution Options
How versatile am I... at amending others? I have to relay my perception to technology providers.- Design Around Constraints
Relational databases offer the ability to set constraints.
- Data type
- Nullable
- Primary key and unique index
- Foreign key
- Weigh the Pros and Cons
- Data import...data input: Initially, the author created an XML file and imported it into database tables via a C# program application. When this process malfunctioned, the author suspended his work. The author resumed work by doing data input via Microsoft SQL Server Management Studio grids. This diversion did not require database changes, achieving separation of concerns.
- The use of non-supported beautifying css is responsive web design.
(Hitachi 2023).Hitachi Modern Data Infrastructure Dynamics Drowning in Data: A Guide to Surviving the Data-Driven Decade Ahead
- Microsoft SQL Server offers the capability to cut off the size of the result set. The GetAPage.html gets minute data from the various database tables and views. The user may be given the opportunity to customize which results to retrieve, for example, AlphabetSequence, BibleWord, HisWord, or Dictionary. A literate person may not need as much data. Setting this restriction will be concise queries.
- An approach is to offload computing to the local host.
(Craig Mullins, 2023-12-18)Database Performance
- Query optimization: Server-side database processing offers the best performance scenario. The use of stored procedures and functions is recommended. The hold backs are their deployments and SQL variances. Prepared statements are fast, resource lenient, cached, and they prevent SQL injection attacks. The author falls back on dynamic SQL for complex queries.
- Indexing: The author is well aware of the pros of indexing, but its cons include additional space and effort. The less performant productive database objects are keys and constraints.
- Data Modeling: Normalization
- First Normal Form (1NF): A relation meets this rule when each attribute has only one value. Another condition is that all the attribute values are atomic and non-composite. In the HisWord table there may be multiple contacts, but only the most prominent contact is recorded. A contact must be first created in the Contact table, prior to its referencing, to satisfy its referential integrity constraint. The author does abide with 1NF in the HisWord table. The URI column may contain multiple e-mail addresses. The scripture reference column may not be a unit.
- Second Normal Form (2NF): The ActToGod table does not comply with this rule, since its Minor column is functionally dependent on its Major column. Computed columns minimize the potential for this.
(Ben Forta, 2017)Database Management System (DBMS)
There are 2 types of DBMS. These are:
- Shared file-based: For example, Microsoft Access
- Client/Server: For example, Oracle, SQL Server, MySQL
SQL Usage
Database Information
Statement Commentary sp_databases The sole work of the author, the WordEngineering database size, is currently 33317504 bytes. sp_server_info The database version is Microsoft SQL Server 2022 - 16.0.1000.6 sp_spaceused The WordEngineering database currently uses 32536.63 MB. sp_statistics HisWord The cardinality of the HisWord table is 114243. xp_fixeddrives Returns a list of physical hard drives and the amount of free space on each one. xp_msver Returns version information about SQL Server. SQL Statement
Statement Commentary Select The select statement for data retrieval is the most popular statement. Most select applies to Bible..Scripture_View. Using the select statement is safe, but it may impact performance. An alternate replication target repository may serve queries. Insert, Update, Delete The insert, update and delete statements are for data maintenance. Where Clause Operators
Operator Commentary =, <>, !=, <, <=, !<, >, >= !> The operators listed will check for a single value. The operators that consist of !, will check for non-matches. In most cases, rarely is this in use. !< or/and !>. This is the first time...he is becoming aware...of these expressions. This is the first time...he is becoming aware...of these operators. Querying for a date or number will search for particular types. BETWEEN This is a range check that accepts a beginning and ending value. It is not highly used. NULL No value IN A comma-delimited list of valid options within parenthesis. LIKE Wildcard filtering
| Title | Commentary |
|---|---|
| TOP | Set a limit of the number of rows returned or a percentage of the rows from the source. |
| SET ROWCOUNT | The database will retrieve all the rows, but if there are excessive rows it will later limit to required rows. |
| Title | Commentary |
|---|---|
| Like wildcard | Preceding or following restriction '%%' |
| Check for NULL | IS NULL versus (VS) IS NOT NULL |
| Between range check | Lower and upper limits |
| Logical comparison | <, >, =, <=, >=, <> |
| Table join superceeds the previous column key equal to | FROM table join primary and foreign key |
The select clause may explictly include a column list. Pre-compiled statements that implictly cater for all the source columns, may not be up-to-date on the column-list.
The group by statement is not for detail listing, except when it is used to regress to the distinct clause. Group by supports statistics, such as, count, sum, min, max, avg.
The having clause augments the group by clause. It places restriction on the group(s) returned.
Inserts give room to omit the default columns. The Identity Insert statement also grants explicit entry of its identity column.
Information unknown is useful for forwarding processing, until and if the information is added. Outer Join stands for this purpose.
Enhances tables by compacting and/or extending the information set.
Primary and foreign keys, unique indexes and check constraints.
(Search engine indexing)Indexing
The author manually indexes according to the following progression:
- The URI database is separable into the following tables:
- URIChrist
- URIEntertainment
- URIGoogleNews
- URIWordEngineering
- The SacredText table is for scripture reference.
- The Exact table is an index of the words in the King James Version (KJV) of the Bible.
- The source of information is in the bibliography section.
(Itzik Ben-Gan, 2023-07-03).Structured Query Language (SQL)
Set theory
The set we will mostly deal with is the HisWord table. Is in order of occurrence.
Predicate logic
The choice of SQL Server impose? datatype limits.
| Key | Value | Commentary |
| Universal Resource Identifier (URI) | github.com/KenAdeniji | This is the home page for storing the repositories. |
| Date Created | 2013-04-27 | This is the date of creating the github.com account. |
| Version | git version 2.29.2.windows.3 | The git --version command offers the release detail. The author is not sufficiently knowledgeable on tracking the version update. |
| Configuration Profile | git config --list | The commands below will set the profile: git config --global user.name "your-name" git config --global user.email "your-email" |
| GitHub.com WordEngineering repository clone |
|
|
| Change Tracking | git status | This will decide the differences between your local copy and the version control code repository. |
| Add Updates | git add | The git add . command will add all the updates, or the user may add particular directories and files. |
(Robert C. Etheredge, 2017)JavaScript Optimizing native JavaScript
- Excessive number of objects: Each web page mainly contains the minimalistic page_load() and query_submit() methods. Some web pages which use web services to retrieve information from the database also include http://github.com/KenAdeniji/WordEngineering/blob/main/IIS/WordEngineering/WordUnion/9432.js which contains 1 object for data render methods, and two dimension arrays for select options. A JSON is the result set... returned from the database.
- Unnecessary date manipulation: http://github.com/KenAdeniji/WordEngineering/blob/main/IIS/WordEngineering/WordUnion/9432.js does 2 types of date calculations. These are the:
- Call the explicit nowTimezoneOffset(), daysAdd(), daysDifference() variations
- Implicitly insert the date difference into an HTML table, DateUntil - DatedFrom. BiblicalCalendar added to table, as a computation of FromUntil. http://github.com/KenAdeniji/WordEngineering/blob/main/IIS/WordEngineering/WordCross/DontFeelLeftAlone.html 2023-02-17...2025-12-01 = 1018 days (2 biblical years, 9 biblical months, 28 days) (2 years, 9 months, 2 weeks)
- Excessive error checking: The author does not do error checking, preferring to catch exceptions, for example in AJAX requests. http://github.com/KenAdeniji/WordEngineering/blob/main/IIS/WordEngineering/WordUnion/9432.js
fetchRender: async function ( fetchUri, fetchRequest, callback, uiDisplay, rowColumn ) { const PostData = { method: "POST", headers: { "Accept": "application/json", "Content-Type": "application/json; charset=utf-8" }, dataType: "json", credentials: "include" } PostData.body = JSON.stringify(fetchRequest); try { const response = await fetch ( fetchUri, PostData ) .then(response => { return response.json(); }) .then(responseJSON => { var dataSet = JSON.parse(responseJSON.d); callback(dataSet, uiDisplay, rowColumn); }) } catch (e) { uiDisplay.innerHTML = e; }; }
(Microsoft)Programming
The Author Programs in the Following Tiers and Languages Tier Language Commentary Front-End Browser HyperText Markup Language (HTML), Javascript, Cascading Style Sheet (CSS) The front-end code may run on a desktop, laptop, or mobile telephone that offers a user interface (UI). The task is to accept the user query and to display the result. Initially, as a novice programmer, the author wrote specific code for each user request; later, the author rests on generic code which will handle multiple variety of requests. This is high-level programming, and the skill-set entry level is minimal. The author also believes that the users should not require any formal training to use his work. Customization is achievable by varying the request options, such as entry form selections, query arguments, or data attributes. Middle-Tier Application C#, Embedded-SQL For backward compatibility, the author does not envision moving away from his legacy code investment in Microsoft. The only shift is positioning code away from database inconsistencies in back-end residency. To code, compile, debug, deploy, the experience of the author is with Microsoft Visual Studio and command-line tools. Server-Side Backend Standard Query Language (SQL) The author most recent experience is with the Sybase and Microsoft Transact-SQL assortment. Now a days, to be compatible and after experimentation; the author rarely uses Standard Query Language - Common Language Runtime (SQL-CLR). The author does database data entry, maintenance, development by using the Microsoft SQL Server Management Studio. JavaScript Basics: Data Types
- JavaScript supports three keywords for declaring variables. These are the var, let, const keywords.
- From its pre-conception, JavaScript supported the var keyword. When the author does not precede a variable initialization with a keyword, then the variable will have global scope. The author averts from variable hoisting. Variable definition with the var keyword is re-usable. The strict mode is a later addition to JavaScript that helps in enforcing variable rules.
- For one-time definitions, such as, issuing the document.getElementById command, the author relies on the const keyword.
- Unlike some typed languages, JavaScript does not support explicitly specifying the type of a variable.
- JavaScript string comparisons are by default case-sensitive.
Functions and Methods
- Methods are functions that are referrable from a class. Methods support object orientation by offering encapsulation, inheritance, polymorphism. The author uses functions when placing localizable code inside the script section of a HTML file; otherwise, generalized methods are referenceable from a JavaScript library.
- JavaScript treats functions as first-class citizens, and they are passable as variables. This abstraction feature is rarely necessary.
- JavaScript does not support method overloading. The earlier arguments array variable and the later parameter default initialization supplements.
- The author consistently uses anonymous functions for processing the success and error returns when using jQuery to access web services.
Conditions
- The author emulates the Microsoft ASP.NET Page.IsPostBack property check, and when it is not so, parse the query arguments; otherwise, skip the parsing and proceed to page submittion.
Arrays and Loops
- For displaying the Bible book titles, the 66 books are in a JavaScript iterable array. This reduces the data load from the server to client, and it offers spelling flexibility. The select options resemble similar customization.
HyperText Markup Language (HTML) Document
- The DOCTYPE is the first declaration in an HTML document, and it is the conformation standard specification.
- The html tag is the root and the container for all the other tags.
- The head tag contains the title and the meta tags for the search engine optimization (SEO). The various documents will indicate the cascading style sheet (CSS) directive.
- The body tag contains the visible content of the document. Its resultSet or resultTable div will contain the particular details that the program generates.
(Microsoft)Data Science
What is data?
The data that the author fundamentally operates on is the word from God. The initial and primary data is textual, but now the author places importance on dates and numbers.
What should you do with a number? Even though the Hebrew language is AlphaNumeric, the numbers in the Bible are in words ( Leviticus 19:26 ). When the author receives a number, he records it in the HisWord's table, Word column, as a numeral.
- The author extracts knowledge from data; by finding meaning to the word.
- The author uses scientific methods, such as counting the number of occurrences, determining the first and last occurrences, and excluding the parts of speech.
- The actionable insights take, so far, is to computerize the work.
- The vast majority of the work is structured data. Unstructured data does not fit into the background of the author.
- The application domain is Bible studies; how relevant is the Bible to our work?
Practicing Data Science
- Empirical, find implication from the Bible?
- Theoretical, to determine a better way to doing work?
- Computational, is human labor replaceable?
- Data-Driven, constraints help us to sanitize data. Default values reduces task, are less error prone, brings arrangement.
Where to get Data
- The Bible is our primary source of data.
- The author records information sources. This is either a person or media?
What you can do with Data
- Data Acquisition: The Bible is available on the Microsoft Access database.
- Data Storage: The author imports this tabular data into the Microsoft SQL Server relational database.
- Data Processing: The SQL Select statement is the means of retrieving data from the database. This is not always a monolithic fashion; since there are various ways of composing the queries.
- Visualization / Human Insights:
- The raw data is viewable on the Microsoft SQL Server Management Studio.
- The web service, .asmx, file, which is accessible from the browser, offers the opportunity to fill-in the query and see the JSON result.
- The .html presents the result in a human readable format.
Defining Data
- Quantitative Data: This makes itself subjective to numeric computation. AlphabetSequence is an attempt to give value to words.
- Qualitative Data: These are rarely measurable and are personal interpretation.
A brief introduction to Statistics and Probability
At the beginning of the study, the author made a presumption that words are unique. Later the author found out that there are duplicate Bible verses.
(Vaibhav Verdhan).Data
Structured and Unstructured
Structured data is alphanumeric put in row-column. Unstructured data is either text, image, audio, or video. This research is mainly structured data.
Standard
The author imports complete, not NULL nor empty data, such as the Bible and the dictionaries.
The author achieves data validity by constraining and restricting inputs. Since this is not a commercial work, Key Performance Indicators (KPIs) are not vital.
The author references and is not tampering with authoritative Bible work; this helps to make sure correctness - accuracy, consistency, integrity.
Timeliness is effectual in the single user data entry table, HisWord.
Unified Modeling Language (UML)
Class
The information which the author documents in this section of the paper; is the Data Declaration Language (DDL) and Data Dictionary, which is available at GitHub.com SQLServerDataDefinitionLanguageDDL Repository The Data Manipulation Language (DML) is too large to fit into the GitHub.com repository, and it is intellectual property. For the people that have access to the database, this private information is available by generating the database script.
Contact is a primary entity, and it identifies the people and organizations that the author has a relationship with. These affiliations are family, friends, business, or public service links. Also recordable are their street, e-mail, web addresses, and telephone numbers. The author stores the various information exchanges with these people. A known date of birth, is for notification of the subject's birthday and relative age. To keep up with the privacy and sensitivity of this personal information, the author is not sharing this highly confidential data.
The relationship between a contact and its related information is one-to-many; that is a contact may have multiple addresses. The other 2 types of relationships are one-to-one, and many-to-many.
A URI is a link to a web resource that will add to the audience's knowledge. The author notes the address and the date, when the author became aware of this information. The content at an address is either textual, audio, video, or image? For URIs, the author rarely explicitly specifies the entire http protocol and directory post-fix, /. An incomplete address will not validate as an input url type. The author only records the Wikipedia address' at the place of reference since it is easy to associate the title with the Wikipedia address.
Exists or does not exists? The transact-sql exists clause is useful for checking the existence of an object and if so, drop the object. This is applicable prior to re-creating the object. Please note that the metadata information is lost and the create or alter statement supercedes this approach. The exists clause is also useful in queries for determining the existence of a resultset.
These classes are important asset for the anniversary triggers; in the Remember entries.
Database and Application Server Source Files
The author chose a multi-tier architecture for building the application. The database layer is made-up of tables, views, stored procedures, functions. The database tables are easily storable and movable to other storage media. The SQL Server's data definition language (DDL), now supports DateTime2, and its date range extend between January 1, 1 CE through December 31, 9999 CE. Some dates in Wikipedia mention these dates. The HisWord_view contains computed columns, which depend on entries in the HisWord table. The author extracts database information by building query statements.
The application layer is the bridge between the user interface layer and the database layer. The application layer compiles into a single Dynamic-link library (DLL), called InformationInTransit.dll. The application layer consists of four namespaces, namely, InformationInTransit.DataAccess, InformationInTransit.ProcessCode, InformationInTransit.ProcessLogic, InformationInTransit.UserInterface. What the author builds on the server; is accessible to all the clients. What is the lifetime of this code, and what neutrality does it condone? The author started out with dBASE II. The lines of code for the application layer are in the C# and embedded SQL.Client Browser Source Files
- HTML5 (.html)
- JavaScript (.js)
- Cascading Style Sheets (.css)
The .HTML files will work in all browsers; that support AJAX. Most of the interactive web pages are reliant on JavaScript to work, mainly because they use Ajax to interact with the server. Each .HTML file, performs specific task, and may have a corresponding back-end associate, web service. The unobtrusive JavaScript file 9432.js contains re-usable code that is not .HTML files specific. The .HTML files originally contained the .CSS specifications; however, the author now places styling information in a single external file, 9432.css. This will reduce the sizes of the .HTML files, and it helps to achieve a consistent user interface.
The work of the author is interactive, and there are links to questions and answers pages. Most of the input entries are textual, but some are numeric, datetime, select options. The answers are mostly in tabular format.
A HTML document contains:(Elizabeth Castro).
- Text content: The author informs the reader by describing His word.
- References to other files: The author refers to external files, such as UML images.
- Markup:
- Elements: The anchor tag is the most specific.
- Attributes and Values: The author benefits from the introduction of the customizable data- prefix attribute.
(Jonathan Snook).Cascading Style Sheets (CSS)
- Base Rules: A base rule is an element and not a class nor ID selector. The author does not use CSS Resets. The author issues element selectors for the html, body, table and row.
- Layout Rules: There are no layout rules, such as header nor footer.
- Module Rules: The table of content (TOC) is for page navigation that the author offers using class names.
- State Rules: A state rule is for toggling, such as using Javascript to set the visibility.
There is standardization on the first .NET web services architecture, .ASMX.(FrederikBulthoff, 2019) In most cases, there is a one-to-one mapping between the .HTML, .ASMX, .CS files, and the database relational table, Bible..Scripture. For simplicity and clearage of use, the .HTML and .ASMX files, support one operation. GetAPage.html is the workhorse for word utterances. GetAPage.html will send AJAX requests to multiple .ASMX files and operations. GetAPage.html is a cumulation of separate .HTML files. All the web services files support the SOAP request format and return JSON. jQuery accepts the POST, HTTP verb. The author stringified the data he passes to the web service in the body of the message. Errors are unforeseen, in the rare case, the author logs errors on the back-end, and display quantitative message. Security is lacking; this is permissible; since the author only queries information.
The web service code, .asmx, file is not necessary, does not have a place, when there is no server database access ( Numbers 19:2, 2 Chronicles 15:3, John 15:25, Romans 2:12, Romans 3:21, Romans 3:28, Romans 7:8, Romans 7:9, 1 Corinthians 9:21, Hebrews 9:22 ).
The Web Service Description Language (WSDL) is available,
for example, by specifying the URI,
AlphabetSequenceWebService.asmx?WSDL
To generate a proxy code, issue the following command;
wsdl.exe /language:CS /namespace:InformationInTransit.ProcessLogic /out:"AlphabetSequenceWebServiceProxy.cs" http://localhost/WordEngineering/WordUnion/AlphabetSequenceWebService.asmx?WSDL
The Web Services Discovery Utility (disco) command:
disco.exe "http://e-comfort.ephraimtech.com/WordEngineering/WordUnion/AlphabetSequenceWebService.disco"
will generate the companion files;
AlphabetSequenceWebService.disco,
AlphabetSequenceWebService.wsdl,
and results.discomap
A lecture of our beginning. (Hafida Na ̈ım, 2016) The business rule is storable and processable in C#, (.cs), source files. The dynamic link library, (.dll), is callable from everywhere. GetAPage.html computes AlphabetSequence from a simple logic, which is easily representable everywhere. The AlphabetSequenceIndexScriptureReference is retrievable from the Bible, using non-complex SQL query. The BibleWord and HisWord reference, requires substantive query. The Bible dictionary returns dataset from the local database. The author can not make a business decision, to go to a web service, to retrieve what is locally resideable.
The usp_DatabaseLogSize stored procedure is for determining the size of the databases data files; and it is available at T-SQL to find Data,Log,Size and Other Useful information -SQL 2000/2005/2008/R2.
| Name | Data Files | Data MB | Log Files | Log MB | Total Size MB |
|---|---|---|---|---|---|
| Bible | 5 | 304 | 1 | 82 | 386 |
| BibleDictionary | 5 | 38 | 1 | 17 | 55 |
| WordEngineering | 5 | 138 | 1 | 1816 | 1954 |
(ABB Asea Brown Boveri)Database Standard
Database Design
- The relational model is for storing information in tables.
- The author normalizes data using Object-relational mapping.
- All the databases are OLTP (Online Transactional Processing), not OLAP (Online analytical processing).
- Avoid deadlock occurrences by not permitting user database updates.
- All the transactions follow similar routes and sequences, and the author practices granularity with the locks.
- Database updates are through stored procedures, which recognize and avoid the potential of integrity violation.
Database Security
- The secretive web.config file contains the database access information.
- The web.config file does not explicitly mention the user login name nor password.
- Give access rights to roles, not to specific login identities nor user names.
Database Data Types
- Choose matching data types between the database and application layers.
- Only pick varchar(max) and nvarchar(max) as the data type, when it is essential to store large data.
- Prefer the decimal type; when recording the amount in currency rather than using the float type.
Nullable Type
- Consider defaulting textual data to empty string; instead of NULL.
Indexes
- Database changes lags with indexes.
- The field sequence in indexes should follow the frequency of usage.
- When using a composite index, place a clustered non-unique index on the major column.
Naming Conventions
- Overall, consistency encourages lowercase keywords. Keywords in lowercase are mandatory in case-sensitive programming languages like C# and JavaScript, but not in SQL.
- Use Pascal casing for naming literals, such as, tables, columns, stored procedures and functions.
- Use Camel casing for naming parameters and local variables.
(Stoyan Stefanov)Performance
The web page components practice of the author, include:
- Keep the count of web page components to a minimum
- Specialize input entries by using the most simple and basic component
- Reduce bloating by limiting the use of framework and library
(Lara Callender Hogan)Performance Suggestion
- The most consistent id="resultSet" is usually for AJAX. The self-descriptive tags that do not influence the result normally do not specify IDs, this is left to the browser's decision.
- Browsers place restrictions on the number of concurrent connections to a particular domain and the overall parallel connections. Consider spreading out the resources to multiple domains.
- The author standardized on the .png image format because there are few colors.
- In the year 2008, when the author tried to move away from html table layout styling, the rendering was anaemic.
The Cascading Style Sheets (CSS) performance suggestions include:
- Since, by default, CSS is a render-blocking resource, the author should take advantage of the critical rendering path with media types and media queries.
- All the programming .html files refer to the common 9432.css file, except this ubiquitous 2015-10-23DoctoralDissertation.html documentation file which includes css.
The JavaScript performance suggestions include:
- Make use of browser cacheable content delivery networks (CDNs). For example, http://code.jquery.com/jquery-latest.js
(Ilya Grigorik)High Performance Browser Networking
For Internet connections, the contributing factors include:
- Propagation delay - The consideration is the speed of light in the medium of transport. On the Internet the speed varies according to the medium which may be (DSL, cable, fiber) in order of performance. The speed of light, which was presumably constant, but now, may be declining. The author chooses the most accessible route. Typically, working within the confines of a building. This research excludes other participants. The environment is transplantable for other uses. The route and environment impose limitations on the local host. The traceroute command on the Linux operating system, or the similar tracert or pathping commands on the Windows operating system, will give travel speed. The author will look into the last-mile tendencies of the Internet Service Providers (ISP) in the area. The receive window (rwnd) of the server should be adequate, since the users do not upload videos nor images.
- Transmission delay - The time to input the packet into the link, which is determined by the length of the packet and the data rate of the link. On the author's behalf, the Bible book ID is transmitted to the client and convertible to the title by JavaScript. Formatting is done by the client.
- Processing delay - The duration of processing the header, detect bit-level errors, and determine the other end. In an Intranet environment, this is done locally.
- Queuing delay - The processing wait time is dependent on the browser supporting multiple page tabs, and other applicatons using the network?
Most of the work of the author is available at the following locations, in the order of accessibility:The reason for noting this observation is that the Domain Name System (DNS) lookup time is low; since the author uses relative directory addressing as much as possible and only uses root addressing for calling web services. The .html and .asmx files are in numerous directories, because GitHub.com directories have content count limitations.
- The current web page, such as, 2015-10-23DoctoralDissertation.html file
- The general Cascading Style Sheet, 9432.css file
- The general JavaScript file, 9432.js file
- The specific Web Service file, such as, ScriptureReferenceWebService.asmx file
- The dynamic link library file, InformationInTransit.dll file
- The database
Images:
- The author does not use background-image nor list-style-image
- The thesis only contains images for database and object modeling
- The author does not use CSS sprite; since it requires additional storage space
- The author does not use Data URIs
- The author does not support nor take advantage of Expires Headers
- This research excludes compression and minification; because the file sizes are low and technology conformity
(Ivan Akulov)Web Performance 101 JavaScript:
- The author will not consider minification. Because he cannot justify compressed file duplicate mix-up. A single compressed file is less readable and maintainable. An automated build and deployment process may suffice.
- DOM chatiness? The author currently builds the entire table, and he sets the innerhtml of the div. For faster visibility, the author may build a table by first setting its header, and appending rows.
- The author should take advantage of the async script parameter. Because the actions of the scripts are invoked after the page load.
- Code splitting with import serves well for web components and rare tasks.
Web Performance 101 Cascading Style Sheets (CSS):
- Critical CSS is in the style sections of HTML files.
Web Performance 101 content delivery network (CDN):
- The author is deprecating the use of the jquery library which was solely used for AJAX, in preference to the fetch statement. This removes single point of failure (SPOF).
- The author only uses the latest version and a unique uri for each library available on CDN.
36 text files. classified 36 files 36 unique files. 0 files ignored. github.com/AlDanial/cloc v 1.84 T=1.00 s (36.0 files/s, 2947.0 lines/s) ------------------------------------------------------------------------------- Language files blank comment code ------------------------------------------------------------------------------- C# 36 300 362 2285 ------------------------------------------------------------------------------- SUM: 36 300 362 2285 ------------------------------------------------------------------------------- 414 text files. classified 414 files Duplicate file check 414 files (398 known unique) Unique: 100 files Unique: 200 files Unique: 300 files 414 unique files. Counting: 100 Counting: 200 Counting: 300 Counting: 400 2 files ignored. github.com/AlDanial/cloc v 1.84 T=5.00 s (82.8 files/s, 10288.0 lines/s) ------------------------------------------------------------------------------- Language files blank comment code ------------------------------------------------------------------------------- C# 414 5858 5760 39822 ------------------------------------------------------------------------------- SUM: 414 5858 5760 39822 ------------------------------------------------------------------------------- 1 text file. 1 unique file. 0 files ignored. github.com/AlDanial/cloc v 1.84 T=0.50 s (2.0 files/s, 3372.0 lines/s) ------------------------------------------------------------------------------- Language files blank comment code ------------------------------------------------------------------------------- JavaScript 1 220 189 1277 -------------------------------------------------------------------------------
The author archives the database and source files to the local computers, Google, Microsoft drives, after changes. The author uses GitHub.com version control.
The development time is separable into the time it takes to program, compile, test, deploy. The stored procedure, C#, ASMX, HTML files are build-able in one day, in most use-case.
The deliverable of the author is transferable to other environments to reach similar conclusions.
The author takes advantage of potential natural primary keys; otherwise, the author uses surrogate keys. A surrogate key may be an identity or GUID type column. URIs are examples of natural primary keys.(Joseph Sack, 2008)
(Consumer-Centric API Design)Application Programming Interface (API)
- The common url scheme, endpoint, that the author prefers for security reasons is https://e-comfort.ephraimtech.com/WordEngineering
- The Top Level Domain (TLD) is the same for both the website and the API, thereby allowing for sharing of cookies.
- Content Located at the Root: The practice of the author is to place the website and their companion API files in the same directories, as they are joinable. The author will not uniquely treat API files. The author makes a case for directory browsing, and there is a special help documentation file.
- Microsoft released ASP.NET MVC on December 10, 2007. http://stackoverflow.com/questions/41906110/designing-rest-api-endpoints-path-params-vs-query-params
- Out of the Create, Read, Update, and Delete (CRUD) 4 operations, the API only supports the HTTP read, SQL select statement.
- Filtering Resources: SQL offers a column list, where, top, limit, and order by clauses for matching data.
- Body Formats: The load penalty in XML overweighs the newness of the JSON transport medium.
- HTTP Status Codes: jQuery satisfactorily handles the success or error of an asynchronous operation.
- Expected Body Content: Each API may currently return either a dataset, datatable, or a top level JSON object. The URI database is maintainable via a Patch request type to update a particular record's subset of fields/columns.
- Versioning: The progress includes:
- Migration to computed columns
- Normalization
- Naming Conventions, SQL for example, is generally case agnostic
(Clifford A. Shaffer)Data Structures and Algorithm Analysis
The exact-match query is to search for a single Bible book, chapter, or verse. In the case of a verse, the top 1 clause is appropriate to efficiently return a single record. The range query is to search for information within a boundary.
The Remember table's ResultOutputFirst bit column is a rare Boolean datatype. It is for documentation purposes and it says the FromUntil period is known and it is used to determine either the FromDated or UntilDated column.
An identity column is a specialization of the integer data type, in that the database issues the next sequence. Most of the tables make use of the identity column as a surrogate primary key.
The aggregate or composite type attempts to store each particular type in its own table, when this is not optimum then normalization calls for several tables distribution joined within one view. The contact record is a single logical datatype spread to multiple physical implementations.
When the author hears a word, what does he do with it? He dates the word, he expresses it grammatically, and he finds a place for it in his memory. For a later date, the author reminds himself.
Problems, Algorithms, and Programs
Problem
When we hear the word, how do we endeavor in Him?
Function, Input, and Output
The input is the word as the only parameter. The output will find meaning in the word of God. The response of the computer is within the range of the result set.
Sets and Relations
The alphabets and words make-up the author's work. The composition of the words is indefinite.
- The ASCII table set composes 26 upper and lower case alphabets. Their places will originally decide the AlphabetSequenceIndex.
- The digits and their larger representations of numbers are also in the ASCII table. These are computable in determining the AlphabetSequenceIndex.
- The null character is in the Word column, when there is only commentary.
- Cardinality: Microsoft SQL Server places a limit on the maximum size of a VARCHAR column type, 8000. When there are 2 or 3 words, the author does further computation.
Asymptotic Algorithm Analysis
The computer serves the author in due time. The size of the users' input, the number of users, and the complexity of their requests will weigh on the system.
This is the approximation measurement of how long it should normally take to determine the AlphabetSequenceIndex. The prediction is the length of the word multiplied by the average period taken to determine the place of each alphabet. The growth rate is that the processing time increases, as the size of the input grows. There is linear growth, since the growth rate is constant.
Best, Worst, and Average Cases
There is no variation in time for determining the AlphabetSequenceIndex and AlphabetSequenceIndexScriptureReference. The size of the word will influence AlphabetSequenceIndex, but this should not be noticeable. When parsing and retrieving scripture reference and Bible word, there may be size and time differences.
Calculating the Running Time for a Program
The author uses a for loop to calculate the AlphabetSequenceIndex.The cost of executing the for loop is Θ(word.lengthSize)var alphabetSequenceIndex = 0; word = word.ToUpper(); var asciiA = 65; for ( var index = 0, lengthSize = word.length; index <= lengthSize; ++index ) { if (Isalpha(word[index])) { alphabetSequenceIndex += (int)word[index] - asciiA + 1; } }Lists
One of the few occasions that the author uses a list is when building the Exact table. The author creates a list of words and stores this transient information in memory. The author checks the existence of each word in the list. When it is a new word, the author appends it to the bottom of the list. Otherwise, the author increments its occurrence. At the completion of parsing the words, the author stores the list in a database table. Creating the exact table is a one-time operation, and it takes a couple of hours to complete.
The author is comfortable and familiar with using datasets and datatables for work areas. The author uses JSON as a transport medium.
(Joost Visser)A generic grouping of concepts and their representation
Module Unit GetAPage.html retrieveAlphabetSequence() AlphabetSequenceWebService.asmx Query(word) AlphabetSequence.cs ID(word) ScriptureReference(int alphabetSequenceIndex). DataCommand.cs DatabaseCommand() WordEngineeringSchema.sql WordEngineering.dbo.udf_AlphabetSequenceIndexScriptureReference(ID)
The event handlers are the first code the system executes. These are the page load, submit click, item change events. If this is a page load event, and it is not a postback, and the query string has a word argument, then the processing of the word occurs. If this is a postback, then it is the user's data entry that the system processes. The term processing means the browser submits the word to the back-end asynchronous web services and renders each result.
Software quality is demonstrable in eight characteristics: maintainability, functional suitability, performance efficiency, compatibility, usability, reliability, security, and portability.
This is error correction.
Transition from building console to web applications.
The author now considers partial and lookback scripture references. Such as, when there is no book title, then this default to the earlier book title.
Choosing the right .NET Framework Data Providers. The author standardized on ODBC; the other choices are OLE DB, or SQLClient.
Servicing the system to avoid larger mishaps.
| Module | Unit | Lines of Code |
|---|---|---|
| GetAPage.html | retrieveAlphabetSequence() | 40 |
| AlphabetSequenceWebService.asmx | Query(word) | 10 |
| AlphabetSequence.cs | ID(word) | 50 |
| ScriptureReference(int alphabetSequenceIndex). | 10 | |
| DataCommand.cs | DatabaseCommand() | 90 |
| SQL Server | WordEngineering.dbo.udf_AlphabetSequenceIndexScriptureReference(ID) | 105 |
| Sum | 325 | |
Determining the AlphabetSequence takes 325 lines of code, which starts and callbacks 40 lines of AJAX code and concludes with 200 lines of database interaction. A unit of code should not exceed 15 lines.
All the web services (.asmx) files return JSON by default; the AlphabetSequenceWebService.asmx file, Query method, returns a hand crafted JSON which has a numeric AlphabetSequenceIndex and a string AlphabetSequenceIndexScriptureReference.
The C# compiler will translate code to an intermediate language (IL). This code runs Just In Time (JIT), according to the condition clauses and operators.
In the case of dynamic SQL, re-compiling imposes cost.
(The Twelve-Factor App)The Twelve-Factor App
- Codebase: The WordEngineering application is storable in the GitHub.com version control with a one-to-one mapping between the codebase and the application. There are multiple but separate websites that access the InformationInTransit.dll. The author builds the InformationInTransit.dll in the developer's working directory, and deploys the InformationInTransit.dll in each production's website bin directory. The steps for storing files in GitHub.com are:
- git status
- git add
- git commit
- git push
- Dependencies: The web.config file identifies the .net library versions that the environment should contain. The third-party supporting libraries are in the software bundle.
- Config: The web.config file contains the database connection strings; web services user specific credentials. The system adminstrator at external locations may customize these information for there specific use.
- Backing services: These are external independent resources, such as the database, SMTP.
- Build, release, run: These are the stages that a code goes through. Code compilation is deferrable for scripting, as opposed to compilable languages. Ever since the advent of the Java programming language, Just-In-Time (JIT) execution has been the norm.
- Processes: The author's earlier applications were stand-alone console applications that are run by the .NET Framework, later examples are the ASP.NET web pages and services. These applications run in a single thread, except they share static variables. The SQL Server encompasses services which are stoppable to do data files backup.
- Port binding: Web servers traditionally run on port 80, and SQL Server runs on the changeable port 1433. Javascript's Node and Python's Flask run on diversified ports.
- Concurrency: The author isolate his applications from the particulars of the base scaling concurrency choice.
- Disposability: The author's take on expendable work includes the following:
- Pure functions
- On-demand compilation of web pages and services
- Adjustable time-out setting for the database and web request threads
- The .NET Framework minute work, such as, the singleton design pattern, and static method calling and variable(s) initialization
- Development/production parity: By first finalizing non repeatitive work, the author can now focus on specialization activities.
- The time gap: These include placing the common work in a central environment. Superseding the waterfall methodology with the more recent process, Agile and Scrum.
- The personnel gap: Dev/ops expertise
- The tools gap: The author prefers the stable infrastructure to the fly-by-night trends. Testing on the multiple operating systems and the various programming languages reflects the author's wish for compatibility. Prior to advent of the Internet, communication did not support a worldwide trend; therefore, the need for distributing scaling, that is remote applications depending on the scarce resources.
- Logs: The author logs exceptions, that is, viewable in the Event Viewer. The author displays error messages to the user, the .NET Framework determines the detail, and the localhost address offers in-depth perculiarities.
- Adminstration processes: These are one-off tasks that the environment demands of the knowledge worker. The tools are available everywhere for achieving the goal. Prior to graphical user interface (GUI), these are command-line responsibilities.
The author gives credence to the information source. Whenever it is possible, the author identifies the speaker. If the source is attributable to him, the author rarely explicitly identifies himself.
The primary contribution of the author is the word. The author draws upon the word of God and tries to derive meaning.
God gives most of His information in a dream, vision or face-to-face.
How do people place date? On each day of the week ( Genesis 1-2 )? Seniority comes first ( John 1:15, John 1:27, John 1:30 ).
The author refers to the physical location or scenery of participation.
The endeavor of the author is to share the word.
Utterances are storable in the Word column of the HisWord table. An expressible event is storable in the Commentary column. The information relay is the basis for more computation in the HisWord_View and Remember_View tables.
(Ian Goodfellow, 2016)Machine Learning
Our entirety chiefly pertains to Him.
Multilayer Perceptron (MLP)
DateDifference.html is browser computation, built on JavaScript. The overall function calls particular functions for determining the days difference in the Biblical and Gregorian Calendar.
DateDifference.aspx is a server-side C# ASP.NET web form.
The Remember's table computed columns are Transact-SQL and SQL-CLR functions.
Our computation is separable to back-end and forward-end code residence; SQL-CLR provides the opportunity to have functionality callable from both parts.
Code re-use sounds good, but it is dependent on many factors.
Feature
He addressed time. Each information the author measures is a feature that the author appraises. The features are the words spoken and the events seen.
Factors of Variation
These are out of context attributes that influence the outcome. Outside the context of managing. Their influence is not determinable.
Depth of the Computational Graph
The author does ASCII code alphabet place summations. There is just not one result, but a set of alternatives; the user may select the most right. For example, AlphabetSequence, produces an index and a scripture reference. The depth in the case of AlphabetSequence is two, with the first result, index, acting as an entry to the second result, scripture reference. The index is an arithmetic calculation, addition; the second result, scripture reference, is a composition algorithm that includes determining the beginning and end span, for the chapter and verse.
Depth of the Probabilistic Modeling Graph
This checks the path to our succession, the thread between concepts. Earlier and recent entries are comparable. The earlier Bible versions serve as a resource for the later versions of the Bible.
Probability
Formerly, the HisWord's table primary key is its Word column, and in SQL Server the maximum size of a unique key is 900 bytes; therefore, the limit of its distinct entries is 900 ^ (2 ^ 8) = 900 ^ 256 = 1.932334983228891510545406872202e+756.
Degree of Belief
In GetAPage.html the author will consider the word(s) AlphabetSequenceIndex and AlphabetSequenceIndexScriptureReference. The AlphabetSequenceIndex and AlphabetSequenceIndexScriptureReference correlate. Each word is a feature, however, hidden and has a contributing influence on the result.
In the BibleWord section, the author will look at each word, in the context of the sentence, and see if it is in the Bible, as a phrase or word combination.
In the BibleDictionary section, the author will explain the meaning of each word. The degree of belief is most certain; since we display each word found in the Bible dictionaries.
Frequentist Probability
In GetAPage.html the same input will produce the same result; because the database is consistent. When the user enters a new word, this trains the system.
WordEngineering started out as the author trying to use the Bible to decipher God's word; however, to do growth, personalization, customization, appeal to more audience. Our task is to see them, say, I done ( John 19:30 ) . Specifications...is done.
Bayesian Probability
Making specific, a generalization; given one result set, can the author make a general result? Does it stand the test of a general audience? Does a sample, qualify for the total?
Random_variable
The AlphabetSequenceIndex may range between 1 and (8000 * 26), 1...208000; 8000 being the largest length of a SQL Server VARCHAR datatype column, and the count of alphabets being 26. This is a discrete set; since it is finite.
Probability Mass Functions
Each sentence will give the same result, and this value is a weighted value of the result set; please note that vowels are probably more popular than consonants, and parts of speech have different frequencies of occurrences.
(Bruce et al. 2017).Statistics Terms
Key Terms for Data Types
Continuous
The Dated column is a valid DateTime, and generally, it is ongoing, rarely does the author backdate.
Discrete
The identity columns and AlphabetSequenceIndex are integer values; that fall into a small unique set.
Categorical
The AlphabetSequenceIndexScriptureReference is of the scripture reference type, and it is a string.
Binary
The Testament column is either Old or New.
Ordinal
The identity columns are all ordinal, following an ascending order.
Key Terms for Rectangular Data
Data frame
The data storage is a relational database; other options include spreadsheet, comma separated value (CSV), eXtensible mark-up language (XML), JavaScript Object Notation (JSON) file format.
Feature
The most important predictor columns are the Word, Dated, and ContactID.
Outcome
The dependent columns include the AlphabetSequenceIndex, AlphabetSequenceIndexScriptureReference and FromUntil date difference.
Records
A row in a spreadsheet is comparable to a database table record.
This technology will make all the before and current versions of the code accessible, re-viewable, and testable.All the words that the author hears while sleeping are recordable and the author has never had any tendency to alter this utterance from the LORD. When the author is awake and he says something, out of his own volition and pre-meditation, he has massaged this information, but now he rarely does so. The words in the past and future event dates are useful for remembrance entries. As the author technically matures, he automates manual work.
The dreams are re-collect-able, and recallable ( Numbers 12:6-8 ).
(Jakob Nielsen, 2000)I have made what I have spoken, ready
Web Design Fundamental
Business Model
The Bible fits man's perception. The author adapts to what he learns.
Project Management
The author is querying the Bible database. The first step of work is to store the Biblical text in an electronic medium. The second step of work is to create an application layer that will access this information in a non-proprietary format. The on-going work is to present as relevant today.
Information Architecture
How will this scriptural text bring new originality? What events of today, follow the text?
Page Design
What He brings to us, is a form of Him.
Content Authoring
How query means more (Isaiah 43:22)?
Linking Strategy
This is what I have done; this is what you will do. What did we understand as His part, what did we understand as our future? To reflect, My correlate. In an anchor, if there is no href attribute or its empty; then the browser should link to the default search engine as its destination and pass its innerText. Alternatively, when the user right clicks on a browser hyperlink, there may be a suggestion option for the search engine to re-direct to a specific web page or to list URIs as in a browser search. Supplementary information for a href attribute is meta-data and whois.com.
(Jakob Nielsen, 2000).We will make advancement over Tim Berners-Lee earlier idea of a unified web:
- Cascading Style Sheets (CSS) will offer customization of what the user views by the use of, for example, Media Queries.
- Single Page Application (SPA) will circumvent the unit of navigation.
- Uniform Resource Identifier (URI) is supportable by other means of specifying information, such as Global Positioning System (GPS) Geo-Location.
- Clients such as browsers store information on cookies, local and session storage.
(Department of Computer Science at the University of Cape Town).Hypertext
The author presents this dissertation in a hypertext format. The table of content is to the left and it contains focusing anchors and internal links, to the rest of the document which is to the right. The references section contains broadening links to external documents, which are available on the web. The web applications do not contain internal links. Same Origin are for retrieving scripture reference, Bible word; Cross-Origin Resource Sharing (CORS) are for requesting information from external URIs.
GetAPage The Bible is separable into parts; these are books, chapters, verses. Dividing a life, according to purpose (Matthew 1:17). 14 Biblical Generations = 14 * 40 * 360 = 201600.
DateDifference.aspx The .NET Framework, C# and SQL Server support the Common Era; the date ranges between 0001-01-01 and 9999-12-31. The date difference will display correctly for the time interval - days, Biblical Calendar, and all the dates after the introduction of the Gregorian Calendar.
SQL, Linq, CSS are declarative languages, but JavaScript is a functional language.
Enhancements to JavaScript, such as const and let influence hoisting. So does script literal, strict mode, class.
The C# class container model and the optional namespace alias content the author.
Cascading Style Sheets (CSS) is modular, and its rules trickle down.
Placing the App_Offline.htm file in the virtual directory of the web application will shut-down the application, unload the application domain from the server, and stop processing any new incoming requests for the application.
A single batch file, with a single command line, builds the only .dll, InformationInTransit.dll
csc /out:InformationInTransit.dll /target:library /recurse:*.cs /reference:System.DirectoryServices.AccountManagement.dll,"bin\Debug\HtmlAgilityPack.dll","bin\Debug\iTextSharp.dll","bin\Debug\MongoDB.Bson.dll","bin\Debug\MongoDB.Driver.dll","bin\Debug\MongoDB.Driver.Core.dll","bin\Debug\Newtonsoft.Json.dll","C:\WINDOWS\Microsoft.NET\Framework\v4.0.30319\WPF\PresentationFramework.dll","bin\Debug\System.Speech.dll","C:\Program Files (x86)\Microsoft SQL Server\100\SDK\Assemblies\Microsoft.SqlServer.ConnectionInfo.dll","C:\Program Files (x86)\Microsoft SQL Server\100\SDK\Assemblies\Microsoft.SqlServer.Smo.dll","C:\Program Files (x86)\Microsoft SQL Server\100\SDK\Assemblies\Microsoft.SqlServer.Dmf.Adapters.dll","C:\Program Files (x86)\Microsoft SQL Server\100\SDK\Assemblies\Microsoft.SqlServer.Dmf.dll","C:\Program Files (x86)\Microsoft SQL Server\100\SDK\Assemblies\Microsoft.SqlServer.DmfSqlClrWrapper.dll","C:\Program Files (x86)\Microsoft SQL Server\100\SDK\Assemblies\Microsoft.SqlServer.Management.Sdk.Sfc.dll",Microsoft.VisualBasic.dll /nowarn:162,168,219,618,649 /unsafe
After testing, InformationInTransit.dll is deployable to the
WordEngineering's virtual directory, bin sub-directory.
This transfer is via the xcopy command or the Microsoft Windows Explorer user interface (UI).
When the content of a server-side file with an .aspx or .asmx extension changes, the ASP.NET framework automatically re-compiles for serving future requests.
jQuery by John Resig is for making Ajax calls to the server. The more recent fetch command is also useful in later cases. jQuery helps to load the latest copy of the author's JavaScript repository 9432.js; since browser caching occurs for JavaScript files for a length of time.
The single .css file 9432.css is callable at the bottom of each .html file's head node; JavaScript statements are in the last lines of the .html files. This means that the browser knows how to show the HTML elements before reaching their origination, and the browser's JavaScript engine will not reference a HTML node before the declaration of its definition.
Set a Database to Single-user Mode
ALTER DATABASE WordEngineering SET SINGLE_USER WITH ROLLBACK IMMEDIATE; GO ALTER DATABASE WordEngineering SET READ_ONLY; GO ALTER DATABASE WordEngineering SET MULTI_USER;
If the research of the author is a team effort; the additional expense, time and effort, in staged deployments, is justifiable; such as development, test, production phases.
The author will place non-Microsoft DLLs in the virtual directory bin sub-directory, and the author will refer to Microsoft DLLs in the web.config file.
The web.config is generally consistent across deployment, the only variable is the database server name, and when the application and database server exists on the same machine, the connectionStrings may use Data Source=(local);Initial Catalog=master;Integrated Security=SSPI. This means that the author will explictly specify the database, object owner, and system object name. The Application pool will take care of the security. There are no environment variables, in use, at this time. The HTML files, when calling web services, will specify the full virtual directory path, but when appending css and JavaScript files, relative directories will suffice, full path directory and filename is unnecessary and an overkill.
The author standardized on Microsoft SQL Server as the relational database of choice. There are several alternatives in the market. All database interaction goes through one access point, DataCommand.cs, only this single file needs re-work if there is a database variety change.
When running a unit of code, for the first time, it will initialize the static variables. The ScriptureReference.html will issue a unique quote-of-the-day, every day; and a random quote, every time. The author program uses the release version of jQuery, which is the most up-to-date. The web services, such as, Sefaria.org, should not need code-revisit. The code in the third-party libraries, such as, Newtonsoft.Json.dll, is consistent, and should rarely need re-deployment.
The application is mostly stateless except for the database read.
Internet Information Server (IIS) HyperText Transfer Protocol (HTTP) by default runs on port 80, like other web servers, but this is modifiable.
Using the current architecture, the author takes care of concurrency and deadlocks; because database writes rarely occur and are short, reads are tolerant.
The threads are simple and conclusive; therefore, there are small start-up and short-down periods.
There is unity between the development and production team, environment, and time frame. The same knowledge worker can write, deploy, and run code.
The author has experience, reporting web server logs, using WebTrends. The author relies on Event Viewer for logging and monitoring exceptions. The SQL Server Management Studio offers the Error Log, for viewing the database activities.
The SQL Server Maintenance Plan is for scheduling full database and transaction log backup, periodically.
(DB2 Developer's Guide).To reduce database load, the author considers the selection operation - where clause, distinct and top; projection operation - specify the column list, and not use the universal *, for all columns. Rarely does the author join tables, minimizing the work and resultset, in a set-level language.
The author makes heavy use of the table semantic element for rendering tabular information. The author uses the input element and specifies either the text, number or date type attribute. The author tries the canvas and video elements for proof-of-concept.
The div and span elements are for rendering block and in-line information. The author uses the div as a container for the ubiquitous result set; which may contain a single or multiple tables. The span is a space for a non-block display.
The word is the author's file naming convention.
| Word | Scripture Reference |
|---|---|
| Levitical Priesthood | Luke 1 |
| Davidic Covenant | Luke 1:32 |
| But thou, Bethlehem Ephratah, though thou be little among the thousands of Judah, yet out of thee shall he come forth unto me that is to be ruler in Israel; whose goings forth have been from of old, from everlasting. | Micah 5:2 |
| Out of Egypt have I called my son. | Hosea 11:1, Matthew 2:15 |
| Galilee of the Gentiles | Matthew 4:15 |
| Father's house | John 14:2 |
| Word | Scripture Reference |
|---|---|
| Forgiveness versus (VS) judgment | Matthew 8:17, Isaiah 53:4 |
| Fruitful versus (VS) barren | 1 Samuel 2:5 |
| Bless versus (VS) curse | Genesis 12:3, Genesis 27:12, Genesis 27:29, Numbers 22:6, Numbers 22:12, Numbers 23:11, Numbers 23:25, Numbers 24:9-Numbers 24:10 , Deuteronomy 11:26, Deuteronomy 11:29, Deuteronomy 23:5, Deuteronomy 29:19, Deuteronomy 30:1, Deuteronomy 30:19, Joshua 8:34, Judges 17:2, Nehemiah 10:29, Nehemiah 13:2, Psalms 37:22, Psalms 62:4, Psalms 109:17, Psalms 109:28, Proverbs 3:33, Proverbs 11:26, Proverbs 27:14, Proverbs 30:11, Jeremiah 20:14, Zechariah 8:13, Malachi 2:2, Matthew 5:44, Luke 6:28, Romans 12:14, James 3:9 |
| Naked versus (VS) adorned | Revelation 21:2 |
| Word | Count | Scripture Reference |
|---|---|---|
| What did He want of Himself? | God and the Lamb | Genesis 1:16, Revelation 21:23, 1 John 3:2 |
| Sabbatical rest | 7 | Genesis 2:2-3 |
| A help for Adam: Eve | 2 become 1 | Genesis 2:18-25 |
| Esau and Jacob | 2 nations are in your womb | Genesis 25:23 |
| 10 plagues in Egypt...Passover | 10th...14th day Passover | Exodus 12 |
| Temple Resurrection | 46 years was Solomon's Temple in building and Jesus Christ will resurrect in 3 days | John 2:20 |
| Type | Commentary | Scripture Reference |
|---|---|---|
| Spirit | Image...Truth | John 4:24 |
| Word | Prophecy...Fulfillment | John 1:1 |
| Word | Commentary | Scripture Reference |
|---|---|---|
| Where | I have only lived in former British colonies, namely Nigeria, the United States of America (USA), and Australia. | Genesis 13:14 |
| When |
|
Genesis 17:1 |
| How | How beyond our age? | Genesis 25:23 |
| Word | Commentary | Scripture Reference |
|---|---|---|
| Jesus Christ | Son of God | Hebrews 5:8 |
| Tithes | Levi | Hebrews 7 |
| Word | Commentary | Scripture Reference |
|---|---|---|
| Man | Image of God, help, seed of the woman, possession, prince, tribe | Genesis 2:5 |
| Place | Jerusalem | 2 Kings 21:4 |
| Birth name | Title | Physical place | Spiritual place | Scripture Reference |
|---|---|---|---|---|
| Jesus | King of the Jews | Bethlehem, Egypt | Jerusalem | Matthew 2:1 |
| Moses | Prince of Egypt | Egypt | High mountain | Exodus 2:10 |
| Actor | Word | Scripture Reference |
|---|---|---|
| Cain | Offering | Genesis 4:1-17 |
| Word | Jacob | Jesus Christ |
|---|---|---|
| Covenant | Abrahamic | Messianic |
| Sacrifice | Isaac | Jesus Christ |
| Patriach | Abraham, Isaac, Jacob | Jesus Christ |
| People | Israelite, Jew | Christian |
| Fear | Isaac | God |
| Word | Commentary | Scripture Reference |
|---|---|---|
| Genealogy | Abraham, David, Jesus Christ | Matthew 1:17 |
| Reign for a generation | Moses, Saul, David, Solomon | Deuteronomy 29:5, Judges 3:11, Judges 8:28, 1 Samuel 4:18, 2 Samuel 5:4, 1 Kings 2:11, 1 Kings 11:42, 2 Kings 12:1, 1 Chronicles 29:27, 2 Chronicles 9:30, 2 Chronicles 24:1 |
| Biography | David, Jesus Christ | 1 Chronicles 29:29, Ruth 4:17, Ruth 4:22, Psalms 40:7, Hebrews 10:7, Matthew 5:18, Psalms, 1 Samuel, 2 Samuel, 1 Chronicles, 2 Chronicles |
| Davidic covenant | Psalms 89:3, Isaiah 55:3, Jeremiah 33:21 |
| Event | Frequency | Scripture Reference |
|---|---|---|
| Creation | Daily, Sabbathical rest | Genesis 1, Genesis 2:1-3 |
| Times of the Jews versus (VS) times of the Gentiles | 490 years | Luke 21:24, Jeremiah 25:11-12, Jeremiah 29:10, Daniel 9:2, Zechariah 7:5 |
| First resurrection | 1000 years | Revelation 20:5-6 |
| Procedure, function or method call | Commentary | ||||||||||||||||||||
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
| Pascal language | A procedure does not return a value, whereas a function does. | ||||||||||||||||||||
| C# language |
|
| Type | Commentary |
|---|---|
| Wake-up orientation database table | This information is currently being interpreted textually. An image, and even more so, a video of the changes in position and direction when sleeping will offer better insight. For the visually implied, the less bandwidth-intensive text may still be satisfactory. |
| Non-Alphabetic | AlphabetSequence may not be appropriate for people that use glyphs or sign languages. |
| Structured query language (SQL) |
The proposed changes which will offer query customization?
|
Data Science A Hands-On Introduction
This research largely deals with structured data that is put into a relational database. The word is easily associable with a table. The dated column is when the word occurs. The scripture reference column is the guide to the Bible. The columns contain numerical and categorical data. The numbers are the sequence and date columns. The categories are textual and these include the URI, location and scenery columns.
Humans are familiar with the recording of information into tables. The DatesComputation.html is the first time that the author uses pairing data.
(Dive into Deep Learning)How does the work of the author accompany the Bible?
The Terminology of Machine Learning in Relation to AlphabetSequence Term Meaning Training dataset or training set The recording of the word in the database. Example (or data point, data instance, sample) Each database row or record. Predict Label (or target) The corresponding Bible text. Linearity assumption The features alphabet places. Weight Since the word is the only feature, it is the only influence. Bias A starting value.
(LOOPE Lingo Object Oriented Programming Environment)Object Oriented Programming - GetAPage.html
A type of us; is a kind of us? GetAPage.html is Bible specific.
Parent Scripts and Objects
GetAPage.html contains the HTML5 directive, head, and body sections. The head section contains the title and meta tags for search-engine optimization (SEO). The 3 languages that make up a web page are in the following ascending order: CSS, HTML, JavaScript.
HTML is an element's nodes. There are only single instances of the input and submit elements. There are multiple div containers for the result sets. Although HTML supports attributes, the ID attribute is the author's only general declaration.
Both CSS and JavaScript act on HTML tags. JavaScript and CSS render the contents of HTML.
There are minute uses of global variables. The author discourages this, because of encapsulation and debugging traceability and granularity.
Naming Conventions
JavaScript relaxes variable declarations. Variables do not need explicit declaration, and these declarations are redefinable. In spite of this, the author is judicious about variables. The data- attribute is user customizable.
The author acknowledges positive bias in his work. Sometimes the author collaborates with what is said to him. The author may add reinforcement to his word. The author values the population average over the sampling average. For example, the Bible is complete, but the work of the author is on-going.(Andrew Kelleher).
Causation versus (VS) Correlation? Let the involvement of a personal self; resemble the involvement of a useful self.(Adam Kelleher).
Bias? Being the other?(Adam Kelleher).
(Bruce Clay).Search engine optimization (SEO)
Elements
It is only recently that the author has become aware of HTML composition.
Element Commentary Title tag The maximum length of the title tag is 60 characters and it is shown on the browser's title bar or page's tab. Meta Description tag This may be upto 155 characters and it indicates the page's content. Meta tags The other meta names include keywords, robots and author. Heading tags H1...H6 with H1 being the most important. Textual content Search engines predominantly optimize for text. Other media are larger in size and duration. When did He promise generational growth ( Psalms 22:30, Genesis 3:15, Genesis 12:7, Genesis 13:15, Genesis 15:13, Genesis 15:18, Genesis 17:8, Genesis 24:7, Genesis 26:3-4, Isaiah 53:10 )? Alt attribute on the img tag Visually impaired people have difficulty comprehending images. Fully qualified links Relative links meet the author's requirement, since is hostable on external sites. Sitemaps (both XML and HTML) A sitemap documents the files and their relationships.
Reading improvement? The literature review and bibliography sections are scanty and brief. The justification of the author is that in the Internet age the references and content are available on-line, and putting into words other people's work is not the author's core strength. When the author recounts non-original thoughts, the author mentions this.
The information in the Bible, written, thousands of years ago, is true and applicable, today; the words heard by the author is consistent and it correlates with the Biblical theme. It was Me. I was telling you.
This research does not limit itself to a particular Bible subject nor word. But, rather it illustrates the response of the author to the word of God. What artifact can the author produce; in compliance with the word of God? Is the training of the author beneficiary or lacking? Biblical priesthood training and profession; begins at the ages of 25 and 30, respectively. What does God choose as subject ( John 15:15 )?
(Tim Wildsmith, 2024).Translation
- Textual Basis: The author chose to find meaning to the word of God... with lesser emphasis on his personal subjective commentary.
- Formal equivalence (word-for-word) versus (VS) Functional dynamic equivalence (thought-for-thought): BibleWord.html is the former.
- Translator: The author's first program is translation of English to Yoruba.
| Title | Actor | Scripture Reference | Leading, lagging, exact |
|---|---|---|---|
| Romance of Redemption | Ruth | Ruth 1:6, Ruth 1:22, Ruth 2:7-8, Ruth 2:14, Ruth 2:17, Ruth 2:19, Ruth 2:21, Ruth 2:23, Ruth 3:1-2, Ruth 3:8, Ruth 3:10, Ruth 3:13, Ruth 3:18, Ruth 4:7, Ruth 4:9-10, Ruth 4:13-15 | Exact |
| Percentage | Commentary | Scripture Reference | Sacred Text |
|---|---|---|---|
| 75% | Wo 75% | Matthew 7:10, Jonah 3, 1 Kings 7, 1 Samuel 21:3 | Greek Kingdom Daniel 2:39 |
Ian Hickson (2025-10-23T19:51:00).Building a UI Framework
Application architectures
The author follows a multi-tier client/server architecture. Each unique browser client HTML web page, features a JavaScript, .js, fetches an AJAX request to an ASMX web service, which calls the application layer .dll written in C#, .cs, and this finally sends a SQL to the database server.
Ephemeral Applications
- Server-side rendering (SSR): The server initially generates a static user-interface (UI) input form based on an HTML document. This facilitates a fast page load time.
- Client-side rendering (CSR): By using JavaScript, the client requests an input data-driven dynamic JSON from the server, with which it later builds its specialized HTML result set fragment.
| Layman | Know their God |
|---|---|
| When I first started, when I received a word, I would try to use my limited knowledge of the Bible... to draw use-cases. | Now I rely on the computer to query Biblical resources. I have not automated the retrieval of commentaries. |
| I used to rely on my education and experience. | Now I draw on expert opinion? Expert facts. I opened and I closed the garage door, northward, from the garage. What prepares for the other? |
Scene 1: I told the family of Kim-Chin Chan that I was re-locating to Kansas to work, and I was unsure when I would come back, and at the airport prior to my departure we exchanged telephone numbers. Scene 2: Some males and I were walking to the south of Break Your Fast, north-center-west, Union Square, Union City, and they claimed that Rupert Murdoch went drinking with them, but later on Rupert Murdoch refused to go to the nightclubs. The scenery changes to Bondi Beach. Scene 3: I was trying to find the relationship between the availability of theorists and theorems.
What did He turn to... as usage ( 2 Chronicles 16:9 )? San Jose Market Center. 685 Coleman Avenue Suite 10. Taylor Street. San Jose, California (CA), 95110. The scripture reference came at the intersection of Bascom Avenue and San Carlos Street, south-east.
What does He associate... with me... and how do I be the guide?
When did you defer? Ayesha Patel of Dulhan Grocery said her parents and her maternal grandmother traveled to India for a wedding, and either in July 2025 or August 2025 her parents had previously traveled to Africa. , I saw a set of Hindi females, especially women, ordering food, and they were waiting to eat at Milk & Honey Cafe, Pegasus Center. Hsueh Amy Tm took their order, and she was the waitress.
(Howard Gardner, 1983).The Theory of Multiple Intelligences from Project Zero at Harvard University
- Bodily Kinesthetic: Body movements during the use of an interactive voice response (IVR) telephone are done through the mouth and hand fingers. The limitations of these activities include a telephone has limited keypad. A keyboard offers control keys to access all the characters — alphabets, digits, and signs. Voice activation should support speech correction, and confirmation, because of accent, pronunciation, impediment. During my time developing telephony applications, the main limitations were memory storage, archive, transcribe, addressing, and the need to offer human-computer interface (HCI) support using more intelligent work on external personal computers (PCs).
When I developed Robotics applications on the IBM 7535... movements were instructional... and not aware of the environment.
- Version control: github.com/KenAdeniji/Github
- Website: kenadeniji.github.io/Github
- Creative:
- Interpersonal:
- From his late teen years, the author acquired experience with telephone conversations:
- Local, long-distance
- Landline, mobile
- Beginning with his Masters and Doctorate degree program, the author commenced writing.
- E-mail: March 1995 to October 1995. Since his consulting days with Sybase/Powersoft... has sought assistance with peers. Where do I have to meet... the hope of others?
- The author is not experienced with audio conferencing, video conferencing, nor computer conferencing.
- Intrapersonal: When you reach a competitive age? Italian leader combative. An African-American homeless tall slim male. Timothy Knockum, Safeway, Union Square, Union City. At the intersection of Fremont Boulevard and Paseo Padre Parkway, south-east, crossing towards the north-east. Walking past Bing's Dumpling, towards Mary's Bakery. My twin sibling was driving fast, and Wale probably cautioned him. When we got to our destination, a person carried some bags. Now, or prior to now, I saw the name Olayemi Adeyinfa. Wale is with a Yoruba mother and daughter who were located in the center-west. The mother is probably still young, and she is wearing a dress up to, that reaches, her chest. There is a fan in the south-east, and there is another fan in the north-east. Wale turns the fan on. Some male Nigerians came inside. Vividly, in the north-center, I saw an innocent man walking up a hill eastward with some thieves that were carrying guns, arms, weapons. They told him who they were, ungodly people, and they told him to depart. 2025-05-26...2025-11-08=166 days (5 biblical months, 16 days) (5 months, 1 week, 6 days)
How do I discuss... who I am even with ( Daniel 8:25 )? There were signs from God... about ending the partner relationships with Genevieve Tarzer and Pauline Beshay.
- How can I be the same in a distinguishable world?
- What do we resume our use as? Hard disk failures.
- George Michael died. Georgetown.
- National Basketball Association (NBA) draft. Chicago. Eastern European coach. Shigeru Ishiba The 2024 Liberal Democratic Party presidential election was held on to elect the next president of the Liberal Democratic Party of Japan for a 3-year term. Prime Minister of Japan. Assumed office . I lost the hard disk of the Dell computer.
Doctor Benitoluwa Adeniji asked me what I specialized in during my doctorate degree studies.
A database gives the author the ability to reference and proceed with the word. Can we determine... to be usage?
During my first half, 3.5 years in Australia, I studied for my Master’s degree with 3 Hispanic male migrants. I lived opposite a Brazilian migrant nurse who later re-located to Camden. Once, Colin Turner drove me to soccer practice.
(Steve Souders, 2016-02-10).urlPerformance
- webpagetest.org In the head element, the Cascading Style Sheets (CSS) were the only initial blocker to page requests, and there were no synchronous scripts. In the footer element, the document was last modified and copyright elements were the only client-side generations.
(Steve McConnell, January/February 2000).10 Best Influences on Software Engineering
- Reviews and Inspections: Can I be impartial as others?
- Information Hiding: Addressing.
- During his Master’s degree programme at the University of Technology, Sydney (UTS), the author learned about the 3 tenets of object-orientation (OO). These are namely encapsulation, inheritance, and polymorphism.
- While working on a project for Information Dialling Services (IDS)... under the auspices of Ralph Silverman. The application client suffered from information overload. 0055 telephony callers were being recorded... in a data entry application. Client/Server and the Internet have this myopic view of data. The infrastructure was a client/server with PowerSoft PowerBuilder as the client, and Watcom SQL Anywhere as the relational database. How much information were we bringing to the client? Did we need to build a data entry application? Specialized, customized? Is it a listener that speaks? Kowe is a writing tool... where is the speaker?
- During his Doctorate’s degree programme at the University of Wollongong, the author learned to program smart cards by using the C programming language.
- The choice of AlphabetSequence... relies on alphabet places in a language... sacred scripture partitioning.
- Multitier: Separation into client presentation, application, and server data management.
- Client presentation: A web browser parses and displays an HTML document. A JavaScript fetch statement calls a method in a web service, .asmx file, and posts a stringified JSON request. A JavaScript method parses and displays the JSON (JavaScript Object Notation) response.
- Application: A dynamic link library InformationInTransit.dll queries the database.
- Server data management
(Write the Docs).Software documentation
Why behind the code
GetAPage.html offers the user the opportunity to enter the word, and retrieve the compared God's word.
How to install and use the code
GetAPage.html is available via the browser, and so also are the web services it requests. The application-tier and database-tier are also accessible.
The impetus for database recording was to re-use.
(Marco Tulio Valente).Use Case Interpret Word
Software Engineering: A Modern Approach by Marco Tulio Valente. Use-cases
Actor: User
Main Flow:
- - The user enters the word to interpret
- - The system determines by using regular expressions the data type of the word
- - The system determines the AlphabetSequence of the word, which include the AlphabetSequenceIndex and AlphabetSequenceIndexScriptureReference
- - The system informs the user the corresponding sacred text
Extensions:
3a- If the word is a positive integer, the system should set the value of the AlphabetSequenceIndex to the word, and determine the AlphabetSequenceIndexScriptureReference, and complete processing
3b- If the word is a negative integer, the system should inform the user to enter a valid word
3c- If non-English alphabets flag?
4a- If the word(s) count is either 2 or 3 words, determine the associated sacred text
Use Case WordEngineering
Actor: User
Main Flow:
- - The user records the word into the HisWord table by using the Microsoft SQL Server Management Studio
- - The system generates the HisWordID column, sequentially, by adding, and incrementing by 1, the previous, last, HisWordID column
- - The system sets the Dated column to the current system time. The Dated column the user may adjust, backdate, if it is late
- - The user records the unbiased supporting columns, such as the Commentary, Contact, url, and Location. The commentary is the activity in the user's own words. Both the contact and url are single-valued attributes. The contact is the system allocated identifier. When there are multiple contacts, their names are determinable from the record as a whole
- - The user traces historical data
Extensions:
5a- The user determines the date differences between the corresponding words and events
To replicate God's Word?
- WordEngineering started with the author receiving an idea, and the author documenting similar scenarios in the Bible
- Now, when the author hears a word, or the author dreams... he relies on his pursuance of the truth
Minimum Viable Product (MVP) and A/B Testing (or split testing)
Interest of the users ASP.Net Web Forms - control version HTML5 Asynchronous JavaScript XMLHTTPRequest (AJAX) - treatment version Prototype
Minimum Viable Product (MVP) build-measure-learn Step Task 1 Build: The author conceived of a product idea to interpret his dream by building AlphabetSequence. 2 Measure: Public testing to collect data on its usage. 3 Learn: Validated learning by analyzing the collected data. Proprietary Open source, and availability of learning materials
(Ben Weidig, 2023-05-09).2025-05-17T20:07:00 Functional Programming... Computed Columns
- Pure function, referentially transparent:
- In 2002, while programming AlphabetSequence the author made the assumption that the English and Yoruba are the same languages.
- The author only considered the King James Version (KJV). Singularity of the Composition.
- Immutability:
- Object-oriented technology serves change states.
- Inheritance, interface, method overloading, encapsulation, polymorphism, are all object-oriented principles.
- As is of the need for database storage.
- Variable declarations and initializations. Variables refreshing with default values, constants, statics, read-only.
- Practical need for recursion?
- First-class and higher-order functions. The author's investment in SQL-CLR and C#. What am I learning... as I progress? Azure SQL Database. What am I learning... as I make progress?
EXEC sp_configure 'allow updates', 0 RECONFIGURE sp_configure 'show advanced options', 1; GO RECONFIGURE WITH OVERRIDE; GO sp_configure 'clr enabled', 1; GO RECONFIGURE WITH OVERRIDE; GO- Lazy evaluation... is a scenario for LINQ.
(John Dean, 2018-01-09).2025-05-15T20:10:00 How to be a SQL editor?
- Instruction
- Append a record in the HisWord table for each sentence spoken by God. Do not make assumptions about entries not uttered by God. The discretion of the author governs his data input into the supporting tables. The database validation rules apply to mandatory, data type, and referential integrity. The ActToGod table manages major and minor column relationships. The URI and IHaveDecidedToWorkOnAGradualImprovingSystem Databases are not his input. The author is not their source. The author is the custodian of the WordEngineering database. When the author is not the original source, should he be the custodian? Is the monitor... automatable?
- lang attribute
- As advised, the author specifies the English language on the HTML tag. As of this time, the language attribute is not specified elsewhere. Who speaks... on... authority?
2025-05-15T20:20:00 Data Modeler
- A data modeler uses data definition language (DDL) to design the information container.
- In 2002, when I started recording the word of God, I modeled the WordEngineering database, HisWord table.
- In 2007, when I was looking for work, I modeled the IHaveDecidedToWorkOnAGradualImprovingSystem database, and I developed its Internet application.
- The primary and most basic information container is a table and its rows and columns. For the author, the HisWord table is essential, and its word column is appropriately God's given.
SELECT HisWordID, Dated, Word FROM WordEngineering..HisWord HisWordLead WHERE Dated > ( SELECT TOP 1 Dated FROM WordEngineering..HisWord HisWordLag WHERE HisWordLead.HisWordID < HisWordLag.HisWordID ORDER BY HisWordLead.HisWordID ) ORDER BY HisWordID DESC
HisWordID Dated Word ----------- ----------------------- ---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- 167264 2025-09-08 09:31:00.000 What did He provide, and what did He require? 166553 2025-06-23 11:24:00.000 This is a man... that is working on a database... that got lost. 166268 2025-05-21 23:34:00.000 NULL 166229 2025-05-16 17:08:00.000 Creating a life... is specializing as one. 166228 2025-05-16 23:56:06.510 When did you... current the book? 166210 2025-05-16 22:36:03.157 You must choose where you are among... to choose who you are among? (6 rows affected) Completion time: 2025-09-13T19:29:39.0388615-07:00
SELECT HisWordID, Dated, Word FROM WordEngineering..HisWord WHERE (1 <> 1) OR (HisWordID BETWEEN 167263 AND 167265) OR (HisWordID BETWEEN 166552 AND 166554) OR (HisWordID BETWEEN 166267 AND 166270) OR (HisWordID BETWEEN 166209 AND 166211) OR (HisWordID BETWEEN 166552 AND 166554) ORDER BY HisWordID DESC
HisWordID Dated Word ----------- ----------------------- ---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- 167265 2025-09-08 04:25:00.000 NULL 167264 2025-09-08 09:31:00.000 What did He provide, and what did He require? 167263 2025-09-08 01:53:00.000 Check Nelly's decision. 166554 2025-06-23 00:35:00.000 A family was sitting curved in an east arc. Somebody was at the south-center door. A daughter moved, taking position to a seat in the south-center. 166553 2025-06-23 11:24:00.000 This is a man... that is working on a database... that got lost. 166552 2025-06-22 23:59:00.000 NULL 166270 2025-05-21 01:37:00.000 For short durations... the final size is small. 166269 2025-05-21 00:32:00.000 NULL 166268 2025-05-21 23:34:00.000 NULL 166267 2025-05-20 23:05:00.000 NULL 166211 2025-05-16 11:58:00.000 How obvious... is the time apart? 166210 2025-05-16 22:36:03.157 You must choose where you are among... to choose who you are among? 166209 2025-05-16 22:35:24.740 To choose a certain representative of man? (13 rows affected) Completion time: 2025-09-13T19:40:18.5255439-07:00
| Five Ws | Example | Usage | Scripture Reference |
|---|---|---|---|
| Actor | Jesus Christ | Meta name? Author | Revelation 19:10 |
| When | Sabbatical rest | document.lastModified | Daniel 9:2 |
| Where | Jerusalem | id attribute | Daniel 9:2 |
| DataType | Software | Commentary |
|---|---|---|
| Varchar | GetAPage.html | This is the most prevalent, and earlier focused on. |
| Integer | GetAPage.html DateAdd.aspx Number15431.html | |
| Date | DateDifference.aspx DateYear2010Month09Day09.html | Jesus Christ refrains from declaring judgment day (Luke 4:19-21, Isaiah 61:1-2). |
| Time | TimeHour4Minute44.html | 12-hour clock, so far. The time of the day is emphasized; the ninth hour is 2025-03-22T00:12:00 explicitly mentioned (Matthew 27:46). |
| Percent (%) | BiblePercentage.html IAmSeventyPercent70SheolOfAmdahlAFit.html | and there died the third part of the creatures which were in the sea, `even' they that had life; and the third part of the ships was destroyed (Revelation 8:9). |
2025-03-17T11:47:00 Side with church... or side with the children ( John 7:51, Genesis 21:9, Genesis 27:41 )?
The is distinct, supplements is null, and is not null, variables comparison. Primary keys, and unique constraints and indexes restrict table rows and columns. Foreign key constraints restrict related table rows and columns. Efforts must be made, when enforceable, to guide the user interface (UI) for client-side and server-side validations on mandatory, and so-called required columns.
2025-03-23T21:10:00 He has used data attributes for a long time now. But he has used it for documentation. How could it provide programming functionality?
SELECT 'Alpha' AS InfoType, COUNT(*) CountInfo, ( Count(*) * 100.0 / (SELECT COUNT(*) FROM WordEngineering..HisWord) ) PercentageOfTotal FROM WordEngineering..HisWord WHERE Word NOT LIKE '%[0-9]%' UNION SELECT 'Numeric' AS InfoType, COUNT(*) CountInfo, ( Count(*) * 100.0 / (SELECT COUNT(*) FROM WordEngineering..HisWord) ) PercentageOfTotal FROM WordEngineering..HisWord WHERE Word LIKE '%[0-9]%' UNION SELECT 'NULL' AS InfoType, COUNT(*) CountInfo, ( Count(*) * 100.0 / (SELECT COUNT(*) FROM WordEngineering..HisWord) ) PercentageOfTotal FROM WordEngineering..HisWord WHERE Word IS NULL UNION SELECT 'Total' AS InfoType, COUNT(*) CountInfo, ( Count(*) * 100.0 / (SELECT COUNT(*) FROM WordEngineering..HisWord) ) PercentageOfTotal FROM WordEngineering..HisWord
InfoType CountInfo PercentageOfTotal Alpha 111590 93.740811989146 Numeric 851 0.714879747313 NULL 6600 5.544308263539 Total 119041 100
| Datetime | Word | Commentary | World Event | Place | Person | Scripture Reference |
|---|---|---|---|---|---|---|
| 2009-09-30T10:32:00 | Mister Adeniji | Ken Lewis announces his resignation from Bank of America (BofA) | ||||
| 2017-10-18T10:00:00 | Olohun ni mo fi be... wa si biyi. | God I beg you with... come here. | Kenneth Chenault announces his resignation from American Express (AmEx) |
| Work | Holiness | Scripture reference |
|---|---|---|
| Ken Lewis of Bank of America (BofA) | Kenneth Chenault of American Express (AmEx) | |
| The fall of man | Cain and Abel | Genesis 3, Genesis 4 |
| Census 20 years and older | Priesthood training commences at the age of 25 years old, and priesthood service at the age of 30 years old. | Numbers 1:3, Numbers 8:24-26 |
(Mustafa Suleyman, Michael Bhaskar, 2023-09-05).2025-03-28T19:12:00 What we are receiving ( 2 Samuel 12:24 )?
- At University of Ife, Staff School, Stephen re-located, prior to my twin sibling and me re-locating to Lagos. Wumi Oloyede started driving us to school.
- In Lagos, Benitoluwa graduated from Abati Nursery and Primary School to Ikeja Grammar School, prior to my twin sibling and I are attending Abati Nursery and Primary School.
- I lived with Romulo Lira prior to Romulo Lira graduating from Central Piedmont Community College (CPCC), Charlotte, North Carolina (NC) and Romulo Lira returning to his home country, Venezuela.
- I was deported to Nigeria, shortly after the passing away of my adopted mother, and shortly before the separation of Major Lawal from Aunt Taiwo.
- Benitoluwa and Ademiloluwa. Uncle Demola and Damola. You must be involve... for someone to use you. 2025-03-28T18:30:00 I consider father and son relationships. What we are... is how we are made after. I started tutoring computers to Hajara Adeola, a French lecturer, and wife of Fola Adeola, prior to Guaranty Trust Bank commencement. The only separation between the English language and the Yoruba language is the diacritic alphabets.
| Word | Microsoft SQL Server | Scikit-learn by David Cournapeau | Commentary |
|---|---|---|---|
| Author's experience | The author's experience with relational database commenced in 1988. The author installed Sybase in 1995. The author started work as a Microsoft SQL Server database adminstrator (DBA) in 1998. | The author solely designed and developed his 1st Scikit-learn application between 2024-07-29T06:53:00...2024-07-29T07:31:00. ConversionTableTemperatureMachineLearning.py | The traditional architecture is client/server. |
| Software requirement |
|
|
|
| Word | Bible Versions | Dictionaries | Commentaries |
|---|---|---|---|
| Primary Key | Scripture reference | The Bible word has a place in the author's terminology, usage, retention. |
Disparate scripture references which are inconsistent and non-standardized in commentaries. Not aligned with AlphabetSequence.
2024-07-13T17:01:00 Where does he see growth? |
| Proliferate | Bible publishers, versioning and language translation | Hebrew translation | Commentators |
(Allen G. Taylor, 2019).Relational Model
- The author progressed from authoring disparate HTML files to recording information in a relational database.
- This transition offers an opportunity to analyze tables, columns and rows.
- Functional dependencies of relationships between columns are determined.
- The Word column in the HisWord table is a determinant but, it is not always unique; therefore, it is not its primary key.
View
A view is a virtual table that does not reside permanently on a physical storage. The MyURI view is a union of all the URI tables. The ViewContactSet view is a join of the columns in the Contact and contact details tables. The HisWord_view view appends computed columns to the HisWord table.
Users
The general operating system and compact database are the 2 types of authentication.
(Itzik Ben-Gan, 2023-07-03).Software Engineer versus (VS) Database Administrator
Keyword Software Engineer Database Administrator Programming language Instruction set: keyword, syntax, Application Programming Interface (API) Structured Query Language (SQL) a data sublanguage Focus language Predominantly English American Standard Code for Information Interchange (ASCII)...Unicode culture Time frame Development life cycle - limited by budget. Deprecated code. Automated jobs and events. How much data are we working with? What is the longevity? Asynchronous multitasking Eternal - periodic operational cost. Expired data? Scheduled tasks and activities? Backup, housekeeping, sending e-mail, creating files and additional space. Remember human versus reference identities? For example, Bible word versus (VS) scripture reference Context-sensitive help Auto-completion Location Read only memory (ROM), Random Access Memory (RAM), hard disk paging. Github.com version control. E-mail body, attachment. Internet front-end files (.html, .js. .css). Hard disk. Transaction log, backup files. Back-end data is accessible via web services. Separated into records and columns, tables, views, indexes, stored procedures, user-defined functions. Threat? For example, virus Memory, program file Data file Customization standard Strict Flexible Law versus (VS) traditional practice Sacrifice Mercy Compatibility Legacy? Backward compatible...re-engineering. New, creativity. Framework. Progressive
Scalability: The users have various options for sizing up their work. The author did not initially restrict the size of the data queried from the server; therefore, there was information overload on the data grid of the client. The tolerance for large data may be exacerbated vertically and/or horizontally. There may be a high count of rows or columns, thereby, demanding ranking and preferences for positioning.
(Edgar F. Codd, 1970).Codd's 12 rules
Focusing on the Word.
- The foundation rule: Since 2002, the author has adopted the relational model for storing his data. The author structures his data and queries his data by using the Structured Query Language (SQL).
- The information rule: The physical store is the HisWord table's Word column. This information is later processed logically in the HisWord_View.
2024-06-15T21:28:00 What is pertaining to the data?
Prior to this word coming, I uploaded the 3 file formats of the dissertation files (.html, .txt, .pdf) from the Windows operating system computer to the UNIX operating system computer Linux variety. I also read the counter-style of each file.- The guaranteed access rule: Specifying the primary key restriction in the where clause makes each datum reachable.
2024-06-16T16:30:00 To who... I exchange... my good?- Systematic treatment of null values:
2024-06-18T21:49:00 Unknown or inappropriate.
- Identity columns cannot be null
- DateTime type columns will default to the system's datetime
- The columns that are part of a primary key cannot be null
- Dynamic online catalog based on the relational model:
INFORMATION_SCHEMA offers metadata, and it is questioned via SQL.- The comprehensive data sublanguage rule:
2024-06-20T18:39:00 It looks at the data as a whole.
Structured Query Language (SQL) sublanguage Sublanguage Command Usage Data query language (DQL) Select Is the most popular and non-risky. Except it may affect performance and bandwidth load consumption. Data definition language (DDL) Create or alter or drop schema objects The create statement is used once for each new object. The alter statement is mainly for an existing object. Data manipulation language (DML) Insert, Update, Delete, Truncate Manipulation may fail in the following cases:
- Primary key or unique index duplication. A primary key column may not be null.
- Invalid datatype or extra large data size or out-of-range
- Constraint rule violation - entity, foreign key. The author rarely imposes constraints, like for example in DatedFrom versus (VS) DatedUntil, which may result in negative date differences. The Max datasize will truncate extra data, but SQL Server primary key indexes impose a size limit of 900 bytes. Wherease VARCHAR(MAX) is typically 8000 bytes.
Data control language (DCL) Grant, Deny, Revoke Transaction control language (TCL) Begin, Commit, Rollback transaction - The view updating rule:
Only computed columns cannot be updated.- A single operation must support select, insert, update, and delete:
A base or derived relationship should comply with an operation to select, insert, update, and delete.- Physical data independence:
Batch and end-user operations are not impaired when changes are made to physical storage or access method.
2024-06-22T15:13:00...2024-06-22T15:15:00 There is no deterioration in data... when there is a restore, import, or bulk copy.
2024-06-22T15:36:00 What part of yourself... do I desire as My future?- Logical data independence:
2024-06-22T17:02:00 The opinion of someone else... is beside me.- Integrity independence:
The author is not implementing constraints.- Distribution independence:
The user is not aware that the data and log are in separate files. Replication and mirroring are other means of ensuring redundancies.- The nonsubversion rule:
Row processing such as cursor must abide by integrity rules and constraints like set processing.
(Daniel Jackson, 2023-06-26).Concept: GetAPage.html
- User-facing: A user enters a received word, and there is a set of tabular responses.
- Functional: This is a Single Page Application (SPA) that depends on AJAX, and it calls multiple web-services.
- Behavioral: There are associations between the word and the Bible and the dictionaries' object-oriented classes and entities.
- Independent: This is a composite of previous stand-alone work.
- Purposive: Based on user input, the system retrieves data, while also allowing further queries.
- Reusable: The idea is to retrieve information from a set of sources and send the results to various destinations.
- Valuable: The data is free, and the work is non-complex.
(Daniel Jackson, 2024-01-08).The user-interface (UI) supports queries, and not database maintenance. The author builds an interface for each additional work that is customizable by the end-user, and independent of the environment of the author. A step... further... for... among us. The mundane query initiative can be participated in by everyone. The complicated tasks are reserved for skilled users.
(Matt Chanoff, Merrick Furst, Daniel Sabbah, Mark Wegman, Arvind Krishna, 2023-11-07).What did He dispose of in making man ( Genesis 2:7, Genesis 6:3 )?
| Keyword | Find what | Replace with | Scripture Reference |
|---|---|---|---|
| Religion | Idolatory | Monotheism | Acts 7:40-43 |
| Learning | Egyptian | Hebrew | Acts 7:22 |
| Location | Egypt | Promised Land | Acts 7:3-7 |
| Vocation | Ruler and a judge | Ruler and a deliverer | Acts 7:10, Acts 7:27, Acts 7:35 |
(Jack Hyman, March 2024).Volume, Velocity, Variety
Keyword Commentary Volume
sp_spaceused @objname = 'HisWord' Keyword Value Rows 115689 Reserved 28296 KB Data 17104 KB Index_Size 9648 KB Unused 1544 KB Velocity The author does manual data entry. Variety At the beginning, the author parsed XML files into textual relational tables.
(Jack Hyman, March 2024).Data Types
HisWord table
Qualitative (categorical) non-numerical/discriptive - nominal (non-ordered), ordinal (orderly)
or
Quantitative (numerical) uses numbers - discrete (countable), continuous (measurable)Column name Column type HisWordID Discrete (countable) Dated Continuous (measurable) Word Nominal (non-ordered) Commentary Nominal (non-ordered) Uri Nominal (non-ordered) ContactID Discrete (countable) ScriptureReference Nominal (non-ordered) Filename Nominal (non-ordered) EnglishTranslation Nominal (non-ordered) Location Nominal (non-ordered) Scene Nominal (non-ordered)
Data type Column type Nominal (non-ordered) Text Discrete (countable) Numerical Continuous (measurable) Date
You could say, this is what I do... Why I do it?
(Andrew Glassner, 2021).Influence
- Data:
Is there a creative need for new data? The Bible is complete, but do we have to find new ways of using it? Is there a divergence or supplement? How do we explain and analyze?
- Biblical data is hosted locally and accessible via the Internet by linking to web addresses or placing web service requests.
- For over 2 decades, the author has continuously received word that he constantly records and queries. Stipulates?
Choosing a closer relationship with God.
- Language translation
- Familiarity with the subject and tradition. Apply domain knowledge.
- Maturity and relevance to our time
- Software: Algorithms are patentable? The author has not sought to patent AlphabetSequence...it should be open to ideas. We all make our following.
- Hardware: Although the author's doctoral study was on intelligent appliances...he feels drawn to the Bible. God has reminded him of his success...when he is pertaining to Him.
Legacy storage of some data types is unnecessary, since this data is computable. For example, concordances are automatically determinable. Dictionaries that contain the meaning of words are available on-line. Computers provide up-to-date versions and translations.
(John Calvin Maxwell, 2023).Laws of Communication
- The Law of Credibility:
For a period of time, we are as we seem we are? What needs a success ( Genesis 4:7, Matthew 14:8, Mark 6:25 )?
- HisWord table Word Column: As much as God spoke it
- Period of Time tables: With respect to time
- BibleWord table and GetAPage.html BibleWord section: King James Version (KJV) dependant
- GetAPage.html HisWord section: Time variant
| Chuck Missler of Koinonia House Inc., P.O. Box D, Coeur d’Alene, ID 83816 | Author |
|---|---|
| 2024-11-03 21:33:37.887 Pattern of assembling. | |
| 2024-11-03T11:58:00 What we bring... as amount... to what? | |
| Chuck Missler was not listening to his own word. Chuck Missler was listening to the Word read to him. | |
| Chuck Missler was preaching from his understanding of the Bible. | The author is relating the word spoken to him to the Bible. |
| Chuck Missler was trying to convert people to Christianity. Chuck Missler was trying to make believers out of the Bible. | The author is relating to people. Coming from experience with people. |
| You were trying to reach the Bible...through your word. | |
| Interaction with Him. I start writing words received when I sleep. I introduced words when I shower. | |
| What I used. Chuck Missler used the Bible... I used myself? | |
|
2025-04-09T15:30:00
What did you set out to achieve as a personal notion?
Hal Lindsey suggested to Chuck Missler that he convert a Christian ministry hobby to a profession.
Reading the Coming Prince by Sir Robert Anderson changed the plans of Chuck Missler from pursuing a doctorate degree in Physics.
2025-04-10T14:14:00 How the Bible can be... worthy use? 2025-04-10T14:14:00 Jennifer Melow gave 2 breads buns to Danielle Hall to warm. Jennifer Melow was also carrying meat. Albertsons Lucky, Charter Square, south-center road. Career decision? |
2025-04-10T04:17:00
Scene 1: Lauretta is driving me, and I mentioned the first name of Nada Madjar, but I did not disclose her last name; therefore, I am not gossiping.
Lauretta plowed further and Lauretta asked if I was talking of Nadia that I now infer to be Nadia Comaneci.
Scene 2: A man concedes that he has lived in Fremont, since he moved from further away.
2025-04-10T04:46:00 Limitation per person ( Ezekiel 3:17-21 ). AlphabetSequence takes specific places... out of the Bible. 2025-04-10T06:47:00 When did he desire... a people as I ( Genesis 2:20-25, Genesis 4:3-17 )? |
| Word | Commentary | Scripture Reference |
|---|---|---|
| Partner | Sarah, Hagar, Keturah | Genesis 11:29 |
| Pilgrimage | Canaan | Genesis 12:1-5 |
| Guidian | Lot | Genesis 12:4-5 |
| Possessional Blessing | Genesis 14:19 | |
| Faith | Belief in God, counted for righteousness | Genesis 15:6 |
| Covenant | Abrahamic | Genesis 15:18 |
| Seed | Ishmael and Isaac | Genesis 16:11 |
| Name change | From Abram to Abraham | Genesis 17:5 |
| Making mention at ages | 75 years old when he departed out of the land of Haran, had lived in Canaan for 10 years, 86 years old when Hagar bare Ishmael to Abram, 99 years old God's request to walk before Him and be perfect, 100 years old gave birth to Isaac, 175 years lived | Genesis 12:4, Genesis 16:3, Genesis 16:16, Genesis 17:1, Genesis 21:5, Genesis 25:7 |
| To do without someone | Separation from his wives and sons, from the physical to the spiritual | Genesis 15:13, Genesis 21:12, Genesis 22:2, Genesis 23, Genesis 25:6, Acts 7:5-6, Hebrews 11:17-19 |
| Sarah - the first matriach | What seems natural as bringing? | Genesis 18:12, 1 Peter 3:6 |
| Date | Type | Word | Commentary |
|---|---|---|---|
| 2004-07-11 | Money currency | English pound 45 percent | The financial stock market has made a concerted effort to keep the British pound from rising beyond forty five percent 45% |
| 2008-03-11 | Calendar | September 22 |
The Bible, dictionary and commentary databases should be accessible from central locations, and there should be no need for user storage. For the URI database, the date of publication is constant, but the date accessed may vary by users. Storing user's information is achievable by using local and session storage, cookies, and bookmarks. The date of publication recognition is determinable from Google's last update and YouTube.com. The directory listing includes the last modification date. The node's datetime attribute and the time node give datetime information.
To co-operate as we are. Robert Estienne English Alphabet
Divided as separated. Go this way, that way.
I want to program, but I don't want to match two programs together, except for deep thought.
See when God grants increase; such as in creation, when God counts the days, and separates it into evening and morning. Increase versus decrease were first explicitly mentioned during Noah's flood. These differences in size we can associate with signs - the sun and the moon. During the day, you need the sun for your activities; during the evening, it is not necessary. Rachel's prayer, and naming of Joseph; Joseph's dreams and interpretations. These counting is explicit, before Exodus, such as, the 10 plagues of Egypt ( Genesis 37:5-11, Genesis 30:24, Genesis 40-41 ).
TCP/IP is separable into four layers; these are the link, Internet, transport and application layers. No breaking ( Matthew 19:8 ).
Marriage is not a practice, in the life after, resurrection ( Matthew 22:30, Mark 12:25, Luke 20:35, Revelation 21:2, 2 Corinthians 11:2 ). Co-incidentally, the disciple, who Jesus love, John the apostle, does not mention this event, in the Gospel of John. It is more of a father that wants you. Jesus resurrected, after three days ( Matthew 12:40, Matthew 26:61, Matthew 27:40, Matthew 27:63, Mark 8:31, Mark 14:58, Mark 15:29, Luke 2:46, John 2:19, John 2:20, 2 Corinthians 11:2, Revelation 21:2, Revelation 21:9, Revelation 22:17 ). The breaking of device ( Psalms 34:20, John 19:36 ).
On the client, HTML is content, CSS is presentation, and JavaScript is behavior. Both ASPX and ASMX are server-side logic.
The application tier is in a dynamic link library (DLL), and it is separable into client, database, and application logics, but with the advent of language integrated query (Linq), this delineation is slowly diminishing. Linq rivals previous division of labor.
The database consists of tables, views, indexes, constraints, stored procedures and functions. These programming logic may be SQL or SQLCLR. SQL critics complain that while the rest of software development have progressed, we still use an archaic language; NoSQL is a challenger.
The client is accessible from the browser, both the user interface and the source code, along with the errors and exceptions. The interface is made-up of request and response. Text-to-Speech will aid the people with poor visibility. The client handles the human computer interface (HCI). The Bible versions are selectable options in HTML or JavaScript.
The database contains the real information, that makes-up the result set.
In computing, we have had mainframes and terminals, client/server, Internet, mobile and now cloud. The trend has been from proprietary to open architecture.
What are the pairing?
The client started as HTML, but now has JavaScript and CSS.
CGI originally served the back-end. Flash and plug-ins have made way for other technology, such as HTML5 video and canvas.
JSON and XML have made in-roads.
| Post Resurrection | Pre Resurrection | Scripture Reference |
|---|---|---|
| Tree of life | Bread of life | Revelation 2:7, Revelation 22:2, Revelation 22:14, John 6:35, John 6:48 |
| Book of life | The word of God | Philippians 4:3, Revelation 3:5, Revelation 13:8, Revelation 17:8, Revelation 20:12, Revelation 20:15, Revelation 21:27, Revelation 22:19 |
| Antichrist | Father's name | 1 John 2:18, 1 John 2:22, 1 John 4:3, 2 John 1:7, John 5:43 |
| Man of sin | Comforter | 2 Thessalonians 2, John 16:7 |
| Technology | Usefulness history |
|---|---|
| Microsoft Windows Operating System | Utility |
| Microsoft Notepad | Text editor, aged |
| Microsoft Internet Explorer (IE) | Browser, deprecated |
| Microsoft SQL Server |
Relational database.
Single repository which supports:
|
| Microsoft sqlcmd | Command-line interface (CLI). Between the years 2000...2005. |
| Microsoft SQL Server Management Studio (SSMS) | Graphical user interface (GUI). Spreadsheet like editor. |
| Mozilla Firefox | Multi-tab browser |
| Work | Commentary |
|---|---|
| Websites storage | folders.live.com, drive.google.com, github.com/kenadeniji, kenadeniji.wordpress.com |
| Refer to dates. | en.wikipedia.com |
| Network computers | 4 including 1 running the Linux Operating System |
| Logical hard disk drives | 4 including 1 solely for processing, and the other 3 drives mainly for archive. |
| Word | Scripture Reference |
|---|---|
| Burial place | Ecclesiastes 7:2, Genesis 23:20, Genesis 49:30, Genesis 50:13 |
| Birth place | Matthew 2:6 |
| Matriach's origin | Genesis 25:20, Genesis 28 |
Sharing His word; is following His deed.(Charles M. Kozierok).
With .asmx web services, the author, standardized on JSON for returning data. The alternative is XML. The preference for JSON, is because of its lighter payload. Another difference, in the result set, the author chooses if to return a dataset, datatable, or scalar? The datatable is useful for a singular resultset. With SQL Query select statements, the column list may refer to *, for returning all the columns, in the order they are arranged in the container, table or view; or otherwise the stricter, specification of each column to return. The author restricts which rows to return, by issuing the conditional where clause; the top 1 select clause is useful, for quote of the day; as it supercedes the set rowcount 1, limitation. The author depends on the database order by clause, for sorting in ascending or descending order, Data is also rankable by clicking on the table's column header.
The author's SQL Server TCP/IP is turned off; because the author does not want interference from the outside. The author imposes an artificial Simplex Operation; only supporting external read requests, and not allowing updates; which is a one-way traffic of data from the server to the clients. The other options are Half-Duplex Operation and Full-Duplex Operation.
Most of the author's web pages transmit textual data; but a few pages offer text-to-speech or video capabilities; these rare application rely on high-grade speciality. The author as a programmer does not meddle with these intricacies; the technology provider takes care of the nitty-grity.
The column name is kept consistent in the query string, up-to the naming convention and the case-sensitivity; this also applies to where we specifically refer to a column name in JavaScript. This is most seen, in the Scripture reference and Bible word variables, which the author shares around.
The domain name is unique to the organization; and the Javascript code for AJAX explicitly mentions the virtual directory; the internet provider issues the IP address.
| For | Against |
|---|---|
| Prudent | Disposable |
| Hyperlink | Diversion |
| Quality Assurance (QA) | Prone to error |
| God | Man |
| Word | Commentary |
| Location | Scenery |
| Transaction commit rollback | Data cleansing |
| For | Against |
|---|---|
| Man | Machine |
In telling the future, there are two parts: prophecy and fulfillment ( Revelation 19:10 ). The author feels that search engines and artificial intelligence (AI) have made sufficient inroads in interpretations.
| Prize | Target | Scripture Reference |
|---|---|---|
| Kowe.exe | Diversified language | Genesis 11:9, Revelation 7:9 |
| http://github.com/KenAdeniji/WordEngineering/tree/main/IIS/Gradual | I have decided to work on a gradual improving system. | Psalms 133 |
(Kevin Kline, Regina O. Obe, Leo S. Hsu).SQL uses set theory, whereas most programming language clients, including LINQ, use row processing or procedural programming. Relational operations:
- Projections: The author will use projections, select clauses, for retrieving the user-specified Bible version column.
- Selections: The particular Bible row verse selections, where clauses, are built using dynamic SQL.
- Joins: Normalization offers the opportunity to segment and in most cases defer from using the join clause. The contact view joins the contact table and its subsidiaries. C# provides datasets which contains datatables and ASP.NET uses GridViews. This is visible in: Theta join the old convention of placing columns relationships conditions in the where clause has been superseded by the ANSI/ISO join clause.
The log files for this observation are between 2017-01-02 and 2023-06-08.
Elements processed: 938499
logparser.exe "SELECT sc-status, sc-substatus, COUNT(*) FROM *.log GROUP BY sc-status, sc-substatus ORDER BY sc-status" -i:w3c sc-status sc-substatus COUNT(ALL *) 200 0 185115 304 0 9467
The count of requests served from the server, HTTP Status code of 200, clearly outweighs 304 HTTP status code, local cache.
HTTP 500 Status Code, internal server error, sum is approximately 6400.
logparser.exe "SELECT cs-uri-stem, COUNT(*) FROM *.log WHERE sc-status=500 GROUP BY cs-uri-stem ORDER BY COUNT(*) DESC" -i:w3c
logparser.exe "SELECT TOP 20 cs-uri-stem, COUNT(*) AS Total, MAX(time-taken) AS MaxTime, AVG(time-taken) AS AvgTime FROM *.log GROUP BY cs-uri-stem ORDER BY Total DESC " -i:w3c cs-uri-stem Total MaxTime AvgTime --------------------------------------------------------------------------------- ----- -------- ------- / 43980 18711085 769 /WordOfGod/ContactMaintenance.aspx 25272 303113 957 /WordEngineering/WordUnion/DateDifference.aspx 12821 529647 201 /WordEngineering/WordUnion/ScriptureReferenceWebService.asmx/Query 9138 520928 713 /WordEngineering/WordUnion/BibleDictionaryWebService.asmx/GetAPage 7211 347890 1323 /WordEngineering/WordUnion/WordToNumberWebService.asmx/RetrieveScriptureReference 7052 258768 1285 /WordEngineering/WordUnion/AlphabetSequenceWebService.asmx/Query 7048 227800 1213 /WordEngineering/WordUnion/HisWord.asmx/APairingOfOurSum 7045 384623 2972 /WordEngineering/WordUnion/BibleWordWebService.asmx/GetAPage 7039 258120 3267 /WordEngineering/WordUnion/NumberSignWebService.asmx/TalentBonding 6937 219007 1138 Press a key... cs-uri-stem Total MaxTime AvgTime --------------------------------------------------------- ----- ------- ------- /WordOfGod/URIMaintenanceWebForm.aspx 6803 62837 400 /robots.txt 3537 137904 755 /WordEngineering/WordUnion/9432.js 3518 212131 181 /WordEngineering/WordUnion/9432.css 2830 225968 120 /WordEngineering/WordUnion/BibleWordWebService.asmx/Query 2425 174641 1089 /WordOfGod/URIMaintenanceWebFOrm.aspx 2406 113505 488 /remindme/ContactBrowse.aspx 2173 139821 1597 /remindme/Cover.aspx 1892 58242 774 /WordEngineering/WordUnion/ScriptureReference.html 1804 183555 392 /Gradual/Contacts/ContactsList.aspx 1789 67613 874 Task completed with parse errors. Parse errors: 1356596 parse errors occurred during processing (To see details about the parse error(s), execute the command again with a non-zero value for the "-e" argument) Statistics: ----------- Elements processed: 266572 Elements output: 20 Execution time: 84.46 seconds (00:01:24.46)
(Randall Hyde).Productivity
- Productivity is the measure of unit tasks completed within a time frame or at a cost.
- A project cost is its work hours. A work day is 8 hours. A work month is ≈176 work hours. A work year is ≈2000 work hours.
- The degree of conceptual complexity increases when an expression contains various function calls and many parentheses. Scope complexity is the fitting between parts.
- To predict productivity? Re-use.
- Metric:
- Executable Size Metric: Is the code largeness. It does not fully consider the uninitialized array data. It includes library code which reduces complexity. It is not a language-independent source. It is not CPU-independent.
- Machine Instructions Metric: This is the size or count of the machine instructions.
- Lines of Code Metric (LOC): It counts the number of source code lines. It is consistent across programming languages. It is CPU-independent. The Linux word count, wc, command will suffice.
- Statement Count Metric: It excludes comments, blank lines, and counts as 1 a statement that spreads across multiple lines.
- Function Point Analysis (FPA): It looks ahead and assumes the amount of work a program will require. It details the inputs, outputs and basic computation. FPA has become a postmortem (end-of-project) tool.
- McCabe’s Cyclomatic Complexity Metric developed by Thomas McCabe: It finds out the complexity by determining the paths through it.
| Word | Scripture Reference |
|---|---|
| God | John 1:1 |
| Most occurrent activity | |
| Highest measurable | |
| Humane | |
| Understandable | |
| Teachable | |
| Repeatable | |
| Translateable | |
| Transcribable | |
| Generable | |
| Referenceable | |
| Securable | |
| Suppressable |
(DeLean Tolbert Smith).Design Specifications
Design Specifications Sample Specification and Categories Constraints User Specification (Demand) User Specification (Want) Function
How it worksThe current work meets the design of an Intranet. The test environment.
- Performance
- Energy
Aesthetics
How it looks
- Geometry ( e.g. Earlier work focused on generating Internet documents. The transition was from .html, xml/xslt, .aspx, and now AJAX. )
Quality
How well it is made
- Materials
The author's work is software specific.- Cost
Open-source- Manufacture
While it is Microsoft-centric for the back-end (.asmx, Transact-SQL, SQL Server database), the front-end is industry standard (.html, .js, .css).Safety
- Time
The time duration is minimal.- Transport
The work is done on one computer.- Ergonomics
The doctorate work consisted of a proof-of-concept that is easily replicable.
(DeLean Tolbert Smith).Brainstorming
Brainstorming Strategy Description Focus on quantity AlphabetSequence includes the whole Bible. The author has not expanded the 2-words nor 3-words computation. Wait to judge AlphabetSequence is relevant to the English language and the King James Version (KJV) Bible? Think outside the box While the initial focus was on the Bible, written word; research now includes spoken word. Combine and improve ideas The author solicits input from others. Keep focus on the problem Database recording resulted from the effort to determine when? The author has concentrated on this timeline. Set a time limit Elaborious work is avoided.
(DeLean Tolbert Smith).Design Selection
- Agility: Ease and speed
- Flexibility: Adaptation to changes
- Component: Encapsulation
(DeLean Tolbert Smith).Ease of Manufacturing
- Large number of independent parts: Team or solo development
- Parts accessibility: Build versus (VS) buy
(DeLean Tolbert Smith).Decision-screening Matrix
The AJAX approach offers the following benefits in performance criterion and weight:The competing solution will include:
- Ease of manufacture
- Engineering skill needed to build
- Robust design
- Primary function independence
- Server-side JavaScript, for example, Node
- Front-end library and framework, for example, React
(Mozilla DebugBear, 2024-10-08).Fixing your website's JavaScript performance
- Long tasks:
- Yield to the main thread: the PageLoad event handler performs an IsPostBack check, and if it is not a PostBack, parses the querystring. Sets the input value of the various element IDs, and submits the query.
- Optimize your rendering patterns:
- Eliminating layout thrashing: AJAX... only refresh updates.
- Using efficient CSS selectors: The simple table inner elements sub-ordinates.
- Large bundle sizes: A bundle size is the total amount of JavaScript code that needs to be downloaded, parsed, and executed when a user visits a website.
- The author does not use inline JavaScript.
- The author minimally uses internal JavaScript for page-specific event handlers.
- The author always uses an external JavaScript file, 9432.js , for rendering dynamic data-driven HTML tables and selects. What contribution I have... as someone else ( Mark 7 )? What did He do? How did I do ( Luke 1:41, Luke 1:44, Matthew 3, John 3 )?
The load time, and response time to user action and submission. The author tested the time, it takes to load each page, after development; and the wait period was satisfactory. For the Bible database, the author does not expect further increase in database size, which will put premium on the load. Ahmdal's Law comes into recognition in GetAPage.html, by performing multiple tasks with Web Services and measuring with performance.now().
| URL | Load time | Page size | Commentary |
|---|---|---|---|
| 2015-10-23DoctoralDissertation.html | 379 ms | 33.5 kB | 2015-10-23DoctoralDissertation.html This is the thesis document, and this is the initial finding, as there is progress and as the author reaches conclusions, the author estimates further increase in load time and page size. |
| http://e-comfort.ephraimtech.com/WordEngineering/WordUnion/BecauseWeAreHellThisIsOurDefinition.html | 5.96 s | 3.3 kB | BecauseWeAreHellThisIsOurDefinition.html is standalone, it does not load additional CSS, HTML files, nor does it make AJAX calls to the back-end. |
| Unit | Value | Commentary |
|---|---|---|
| Internet speed test Testing download.. | 8.54 Megabits per second | |
| Internet speed test Testing upload.. | 4.74 Megabits per second | |
| ping e-comfort.ephraimtech.com | Pinging e-comfort.ephraimtech.com [98.248.137.149] with 32 bytes of data: Reply from 98.248.137.149: bytes=32 time<1ms TTL=128 Reply from 98.248.137.149: bytes=32 time<1ms TTL=128 Reply from 98.248.137.149: bytes=32 time<1ms TTL=128 Reply from 98.248.137.149: bytes=32 time<1ms TTL=128 Ping statistics for 98.248.137.149: Packets: Sent = 4, Received = 4, Lost = 0 (0% loss), Approximate round trip times in milli-seconds: Minimum = 0ms, Maximum = 0ms, Average = 0ms | |
| tracert e-comfort.ephraimtech.com | Tracing route to e-comfort.ephraimtech.com [98.248.137.149] over a maximum of 30 hops: 1 <1 ms <1 ms <1 ms Comfort.ephraimtech.com [98.248.137.149] Trace complete. | The Unix platforms offers the traceroute command |
After the author conceived the notion for AlphabetSequence, he stored the word spoken into XML files, along with manually determining the relevant Bible word. This, the author did, because the author thought and felt that the readers will prefer to read the recent information, and they do not have to regurgitate the entire database. The author was living at Newark, and working from Fremont.
The author recorded, the FromUntil Time Span, explicitly into the Remember's table commentary column. Now, there are three computed columns, managing this period(s); these are the days difference, the Biblical time period, and Common Era computation. The author is saving memory storage space this way. And, also offering the opportunity to other people, the possibility to calculate their preferred period.
Using the knowledge learnt from horizontal replication and partition, the audience are no longer forced to accept the author's calendar. The audience can choose their acceptable fact, and ignore nor standard derivation.
The history, this way, is to say; at the begining, the author will record every entry after six p.m. as the next day saying, just like the Jewish day starts at 6 p.m. With the reasoning advent, the Tanakh, the New Testament, and the Koran, the truth partiality, is our governance.
Most words have precedence, and do not exist in an emptiness. Words follow a trend. Are their supportive collaboration, to the utterance the author hears; these are linkable for historical evidence.
How do we give our actualities? I have found written text, the easiest and most applicable way of sharing thoughts. Words spoken, when passed from generation to generation, may gain legend status, and therefore, lose appropriateness.
Examine the course of history? You will find, that most truth, are actually realizing the dream. In my case, when I try to recall, the past, I search by keywords, numbers and dates. So, entries in the word, are most to realization. The first words spoken have higher importance and closer affinity; so also, prophetic application, have standard occurrence.
Our work, so much depends on data entry. The Remember table relies on relationship, deductive reasoning.
Is this phenomenal traceable, Biblically, and can we name a person that bears similar resemblance? When we study, king David, we can see that David fled from king Saul, his predecessor; and two of his biological immediate sons, who purported, to overthrow him as king. In the Book of Revelation, the only three mentions of king David, talk of movement ( Revelation 3:7, Revelation 5:5, Revelation 22:16 ). Joseph ( Genesis 37:2, Genesis 37:9, Genesis 37:19, Genesis 39:12-18 ).
Samuel anointed David, during king Saul's reign. The choice, one makes, ahead ( Genesis 2:2-3, 2 Samuel 11:4, 2 Samuel 12:24, Ruth 3:1, Ruth 3:8, Ruth 3:18 ). Knew versus lay.
In the first words, in the Bible, God referred to the beginning, of His work, giving time, an annotation. God also mentioned two places, heaven and earth, creation generally centers on the activities on the earth; and God we understand, resides in the heaven, the last point for good on earth. To seek a development; it had a beginning.
In the second sentence, second verse, God mentions, that the earth was without form and void; meaning the earth was without content. Nothing was a member of the earth. Also, God's spirit, a member of God, moved across the water.
When time is maximal used; time is ideal allowed. When our association to follow; is association to the end.
| Place | Actor | Scripture Reference |
|---|---|---|
| Garden of Eden | Adam | Genesis 2:8, Genesis 2:10, Genesis 2:15, Genesis 3:23-3:24 |
| Field | Cain and Abel | Genesis 4:8-4:15 |
| Land of Nod, on the East of Eden | Cain | Genesis 4:16 |
| Enoch | Cain and Enoch | Genesis 4:17 |
| Word | Scripture Reference |
|---|---|
| Work word | John 14:10 |
| Charity | |
| Timeliness | Deuteronomy 18:22 |
| Word | Scripture Reference | Commentary |
|---|---|---|
| Naming | Genesis 2, Genesis 4 | The author registered a trademark name and much later created and maintained a contact database. The author received the title of a book that he wrote and afterwards a domain name. |
| Profession | Genesis 4 | The author developed an interest in Biblical studies while undergoing tertiary education. |
| Keyword | Commentary |
| Light | Sun, Moon: Evening and day, Sabbath |
| Man | Image of God, helper, seed |
What did He see as His? A remodelling of the last ( Daniel 9:24-27, Revelation 3:12, Revelation 21:2, Revelation 2:7, Revelation 22:2, Revelation 22:14 )?
The author will want a conciliation with time?
AlphabetSequence is a novice attempt to tie what the author hears to the Bible. As one reads the Bible, they have a more familiar method of communicating. As we begin today, how can we let tomorrow?
That is what we are trying to say, how can we make ample use of time? Word of God. Word from God? The commentary is a human interpretation. You can fit more into time, by making a luxury of time. Why do we have to repeat the meaning in our words? Bible dictionary and commmentary. As a result of who are we? When does the scenario introduce God ( Genesis 3:8 )?
Description
Cross references to related applications
The author has filed 2 unsuccessful trademark applications. These trademark requests are WordEngineering and www.JesusInTheLamb.com. The first trademark application deals with the use of engineering to decipher the Bible. The second trademark effort is for the phrase, Walking in the Lamb, you shall follow Me.
Computer Listing
The software is available at http://github.com/KenAdeniji. These include the source code and the data definition language (DDL). For size and privacy reasons, the data manipulation language (DML) is not available to the general public. The Bible versions, dictionaries and commentaries are available in the public domain. The author concedes that the length of the source code is large, but it is easily readable.
Technical Field
Seeing the Bible as enlightening to man.
Description of Related Art
To find if a relationship exists between the Bible and what we receive today?
| Keyword | Scripture Reference |
|---|---|
| Place of Residence | Acts 1:4, Acts 1:8 |
| Sign | Acts 1:3, Acts 1:5 |
| Place of Worship | Acts 2:1 |
| Speak with other tongues | Acts 2:2-2:11 |
| Worshippers | Acts 2:5 |
| Leader | Acts 2:14-2:47 |
The author does not have the advantage of a crawler; the author is querying a database in real time, without the benefit of search engine optimization (SEO).
| Period | Commentary |
|---|---|
| 2000-10-05 | Registered the WordEngineering trademark. |
| 2002 | Commenced recording the word from the LORD in the Microsoft SQL Server relational database, introduced the AlphabetSequence algorithm, and started developing Biblical applications using the Microsoft .NET and the ASP.NET framework, and coded with the C# language. |
| 2015 | Migrated to HTML files and web services using AJAX. What is resideable at home, is present abroad. This will continue the separation of duty approach. The benefit includes making accessible our work; focused user interface renewal. Open standard and performance gain. |
| 2025-07-26T19:17:00 | There is a table structure for repeat which would repeat the information in the preceding record. There is also a table structure for parable. |
| Technology | Commentary | ||||||||
|---|---|---|---|---|---|---|---|---|---|
| Web pages |
The bulk of the author's web pages are in 3 separate virtual directories.
|
God doesn't use inform ( Psalms 81:5, John 16:30 ). He mandates.
| Technology | Commentary |
|---|---|
| Relational Database | After the introduction of the author to Microsoft SQL Server; the author does not feel the need to adopt newer technology like object-oriented database, nor nosql. |
| Server-side Programming, Back-end | The author learnt C#, and there has been no reason to adopt upgrades. When Microsoft MVC learning is not necessary. The scripture reference class offers partition for instantiation. The Microsoft platform is the author's choice, although the migration to .NET core may be inevitable. |
| Programming Style | This lineage are passage. C# is object-oriented. JavaScript is functional programming. SQL is declarative and imperative. |
In Australia, I got involved with the prison ministry at the Villawood Detention Center. The Christian missionaries that were serving felt that fellow migrants might aid in responding to new applicants. I was deported to my country of origin, Nigeria, from the United States of America (USA); therefore, I could share the plight of these inmates. I was also in the court process, so I could better understand Australia's law. Finally, my most productive contract consulting was at the Department of Training Education Committee (DTEC), so I had an understanding of integrating and skilling re-locating workers. I tried to share computer books, but inmates were undaunted by their relevance to their misery. They were expected to write letters to immigration officials. This influenced my desire to practice authoring Christian literature and improve my communication. How could I relate to less fortunate people? How may I be the one giving? How can I let the Holy Spirit partake on my side? What are these roles for, and how will I be a mediator? What do I share as a bargain? All these are words to say. What do I mean as a human being? Where does the spirit hold its own? Computers are programmable, humans are useful. Where does a side take the rest? What I am finding out, is how necessary I am as a person? How do I do my part in participating? What can you take from me, and make as your own? My words may not be what you will say, but how can your experience let you say? Imagine your life will be lived, as you say. When the times, programming lines, lines of code, play out a scenario. So words make meaning as sufficiency. Whose life have I lived to complexity? To the full of His deed ( John%2015:24 )? What can His prove relate to me?
| Word | Member | Scripture Reference |
|---|---|---|
| God | Trinity | Genesis 1:1-2, John 1 |
| Day | Time | Genesis 1, Genesis 2:1-3 |
| Babel | Language | Genesis 11:9 |
| Word | Jew | Prince of the people that shall come | Scripture Reference |
|---|---|---|---|
| Weeks of Years | 69 | 1 | Genesis 9:24-27 |
| Lineage | Most holy | Antichrist | Genesis 9:24-27 |
| Image | Seal | Beast | Revelation 7 |
| Trigger | Re-build Jerusalem | Sign a covenant with the many | Genesis 9:24-27 |
It is firstly, a database work. That is the author records God's word. What the author hears, he relates to the Bible and the other scriptural sources. These information are all in database tables, giving the author the luxury of using relational technology. The benefit includes storage and archive, that is, the work is usable in tabular format. There is a copy of the information running Microsoft SQL Server on a Linux operating system; which the author switches to, by changing the database connection string of one node in the web.config. When the user decides to stabilize and admit no further changes; then there is no need to do additional database update work. As with such work, the database schema remains consistent, since the beginning. The choice of word, meets today's expectations. The addition of the ActToGod table, demonstrates the maturity of the author, since it advances from data to information.
The author, first wrote his history, in multiple stand-alone files .HTML, .XML. (Acts 7:22). This documentation didn't allow for enough dating, to track creation and change, nor easy querying. Therefore, the decision to move to a relational database; that will augment this fact.
Since the beginning, the author wrote a ContactMaintenance.aspx server-side page as a user-interface (UI) to record contact information. This page remains active, till today.
The author uses Microsoft SQL Server Management Studio to document general information. When the author is offsite, text editors provides a place to scribble data manipulation language (DML) statements into SQL script files, for later execution. Please understand that both means mentioned above do not always support the checking of spellings nor grammar, and have limited formatting.
I have a product; where is the method?
(Alison Cox).Business Analysis Body of Knowledge (BABOK)
Tasks
Purpose
The author's original intention was to record God's word. This later led to finding the word's background and implication.
Inputs
The data input is currently being done manually, but the author looks forward to electronic automation. The identity and date are potential external inputs. The scripture reference requires Bible knowledge.
Elements
Word processing flows more naturally than data entry.
Guidelines and tools
A relational database is a substitute for text processing.
Stakeholders
I am the primary contributor and beneficiary.
Outputs
Outputs are created, transformed, or changed in state? The constancy of the word is what we have shown.
(Alison Cox).RACI matrix. RACI is an abbreviation for Responsible, Accountable, Consulted, and Informed
Stakeholder Task Responsible The actual person doing the work. Accountable The person that is answerable for the correct completion of the deliverable or task. Only one person is accountable for each task or deliverable. Consulted The subject matter experts (SMEs) that participate in two-way communication. Informed The recipients of one-way progress report.
Task Responsible Accountable Consulted Informed Obtain funding for project Executive Sponsor Business Analyst Create business case Executive Sponsor Project Manager Business Analyst Create requirements phase estimates Business Analyst Project Manager Business Subject Matter Expert (SME) Create design phase estimates Business Analyst Project Manager Technical Personnel Create build phase estimates Technical Personnel Project Manager Usability Engineer, Regulator (Legal), Database Adminstrator (DBA) Create implementation phase estimates Project Manager Project Manager Business Analyst, Technical Writer, Technical Personnel Create work-breakdown structure (WBS) (Project Plan) Project Manager Project Manager Business Analyst, Technical Personnel Elicit business processes and requirements Business Analyst Project Manager Business Subject Matter Expert (SME) Executive Sponsor Design Solution Business Analyst, Technical Personnel Project Manager Business Subject Matter Expert (SME), Quality Assurance (QA), Usability Engineer, Regulator (Legal), Database Adminstrator Create implementation material Technical Writer Project Manager Business Subject Matter Expert (SME), Technical Personnel
(Allen G. Taylor, 2019).Database Modeling
Entity-Relationship (ER) Model
Entities
A relational database identifies an entity as a table. In object-oriented programming, an entity is referred to as a class. The author's specific work is in the HisWord, ActToGod, Remember, APass tables. The scripture table serves as input for scripture reference, Bible word search, and gauge for AlphabetSequence.
Attributes
The Holy Spirit informed the Word.
Identifiers
Previously, the author thought of the word as unique.
Relationships
In most cases, surrogate keys such as ContactID, HisWordID are pointers to associations.
Degree-Two Relationships
Normalization results in a master Contact table with multiple details. There is a one-to-many (1:N) relationship.
Cardinality
Maximum cardinality
This is the largest number of possible occurrences on one side of a relationship. There can be only one contact for each contact detail.
Minimum cardinality
There may be no contact details for a contact.
Strength of Entity
The contact entity is strong because it can exist on its own. The weak contact details are existence-dependent on the contact entity.
ID-dependent entities
The weak contact details, primary keys include their ContactID.
| Title | Description | Commentary | Universal Resource Index (URI) |
|---|---|---|---|
| Accessor Pattern | Get and set an attribute by using a property. | The boundary to a property value. Readonly is achievable by disabling the set method. | |
| Delegation Pattern | Composition substitutes for inheritance. | The author does not inherit any class. But the author delegates by using composition to include existing services. | BibleBook.cs |
| Factory Pattern | Create subclasses from one or more methods. | At runtime, instantiate a variable object. | BallFactory.java |
| Immutable Pattern | An immutable object is unchangeable after creation. | A string object is immutable. Although behind the scenes a string object is a reference type, it is treatable like a value type. A StringBuilder object is changeable. | |
| Marker interface Pattern | The marker interface pattern is empty. It is metadata that refers to additional work. Examples in Java include Cloneable, Remote, Serializable. | A class may implement the cloneable interface to identify support for the clone method, which may perform shallow or deep copy. | BibleBook.java |
| Singleton Pattern | Only a single instance is createable. | At Daigaku Honyaku Center (DHC) there was a database table which is a reference and contains a single record. | SingletonPatternBible.java |
(Petr Travkin).Data quality management
- Data quality standards: The author is importing religious data from trusted sources. The author is following rigorous practice.
- Data quality assessment: The author is reducing human error by automating labor. Once a process is understood, the author computerizes the work.
- Data quality monitoring: The work has been on-going for at least the last 20 years; therefore, there is awareness of the expected results.
- Data quality reporting: There have been spurious cases of data loss, referential integrity violation, corrupt databases, computer breakdown and hard disk not recoverable.
- Data quality issue management: Having data facing the Internet is a risk, so there is password protection, no web access, little metadata.
- Data quality improvement: The author educates about data safety.
Data observability
- Data pipeline tracking: Microsoft SQL Server offers overwhelming statistics. There is information on the duration of backup, restore and other tasks in its maintenance plan, profiler, query plan, logs.
- Data quality assessment: Microsoft .NET limits the timeout between request and response. Data growth is manageable by size or percentage. Schema changes are done via Transact-SQL, which propagates.
(Unified Modeling Language)Unified Modeling Language (UML)
UML composes elements and relationships as in its predecessor Entity-Relationship (ER) diagrams.
A model contains elements which may have descendants for specializations. A contact may have children such as addresses. When a contact is removed, this cascades to the removal of its children.
Comments do not impact programatically, they only serve as guides for readers.
A directed relationship may exist between a collection of source and target.
A namespace is a container separator.
An import facilitates the admittance of an external namespace.
Types and multiplicity restrict the units of information. For example, a scripture reference can only identify book titles, chapters and verses. For the King James Version of the Bible, the cardinality of the books is 66.
A constraint represents the range of valid values that a member may have.
A dependency replicates changes between the supplier/client.
Lack of a value is null. A data type may place its own degree of significance on a value. For example integer versus (VS) decimal, date versus (VS) datetime.
A string is a combination of alphabets, numbers and symbols. For example, as in scripture reference, when it may concatenate Bible book titles, chapters, verses, and separators.
An integer is a whole number. For example, BibleReference which consists of Book ID, chapter and verse.
A Boolean is either true or false and it is normally used for validation.
A real is a number with decimal relevance, such as ratios and percentages.
This work is largely based on migrating from free-text to relational data. Classification serves well with scripture reference pre and post, and book titles, chapters and verses. The C# language class instantiations occur in ScriptureReferenceHelper.cs Exact.cs
The author's work has not featured inheritance. There are no generalizations, parents, nor specializations, children, classes. A substitution for this is an interface, such as, IScriptable UtilitySQLServerManagementObjectsSMO.cs A child may override a parent's virtual member.
In the C# language, an abstract class is static, not instantiable. A static class may contain extension methods.
Signals and receptions are similar to events and handlers. A page load or close is an asynchronous signal that its subscribers handle separately. A click event is triggered and resolved internally.
Microsoft .Net supports components such as a pre-compiled dynamic link library (.dll), and compiling web forms and web services at first request. Web form matured from code-behind to code-beside.
For the Java language, there must be a correlation between package and directory names. Microsoft .Net does not impose such consistency. But the author abides by this rule.
In C# version 9, a method may offer a covariant return type.
What does God bring to pass as Him alone? Begotten Son, creation, covenant, passover, commandment.
Teaching from? The Bible, education, experience, volition, Holy Spirit.
Martin Ralph DeHaan, the co-editor of Our Daily Bread. When walking to 99 Ranch Market, I used to pray for a word. But now... I act on the word. Finding the latest version... of a document? Nearest for bandwidth, most especially video? Most visited, popularity ranking?
Kentucky Fried Chicken (KFC) and Taco Bell (TB). 250 North Bascom Avenue. (408) 286-4537. 3 pieces of chicken, coleslaw, mashed potato and gravy, drink, biscuit. At the intersection of Taylor Street and 17th Street.
| Actor | Word | Scripture Reference |
|---|---|---|
| Abraham | Land, seed | Genesis 13:8-18 |
| Jesus Christ | Sheep | Matthew 26:31, Zechariah 13:7 |
Decler Mendez said I attended Central Piedmont Community College (CPCC), and my twin sibling attended Johnson C. Smith University (JCSU). I unsuccessfully tried to locate either the GetAPage.html or AlphabetSequence.html page for Decler Mendez to view.
There was a written test that included the comparison between extensible markup language (XML) and the other data structures. My twin sibling answered data bindings shared by other people. Data storage versus (VS) data arrangement. What did he assure... he will lead of? Beware the yeast of the Pharisees ( Matthew 16:6 ). Teresa Keng, Milk & Honey Cafe. Red in the hallway... to the lobby. This day is this scripture fulfill in your eyes ( Luke 4:21 ).
| Date | Extraction | AlphabetSequenceIndex | Part | Meaning | Example | ||||||||||||
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
| 2025-07-01 | re | 23 | Prefix | Repeatition |
|
||||||||||||
| 2025-07-02 | es | 24 | Suffix | Plural |
|
| Type | Commentary |
|---|---|
| Name |
Why the differing name?
Man's name change? God name variance.
Son of David versus (VS) Son of Man
(
2 Samuel 12:24, 2 Samuel 12:25, 1 Samuel 25:5, 1 Samuel 25:25
).
|
| Historical Account |
|
| Quotation |
|
| Discrepancy between question and answer | Joshua 5:13-15 |
| Canaan words repeatition? | Genesis 12:5 |
| Unit | Value |
|---|---|
| Metric | Word, number, date, timespan |
| Dream | Unique |
| Freight | Free |
| Cost and Price | Free |
| Expiry Date | Indefinite |
| Ownership | Shareable |
| Audience | Bible scholars |
| Technology | Practicable low entry point with optional matured technology |
| Actor | Word | Scripture Reference |
|---|---|---|
| Abraham | Seed; Abrahamic covenant, Davidic covenant, Messianic covenant | Genesis 12:7, Matthew 1:17 |
| Moses | Season; civil calendar, religious calendar | Exodus 12:2 |
| Part | Requester | Audience | Fulfiller | Duration | Scripture Reference |
|---|---|---|---|---|---|
| Ear | Apostle John | Church | The reader and the hearer of the book of Revelation | Shortly come to pass | Revelation 2:7, Revelation 3:22 |
| Head | Jesus Christ | The 12 disciples | Simon Peter | End-times | Matthew 16:18, Daniel 2:32, Daniel 2:37-38 |
| K | E | H | I | N | D | E |
|---|---|---|---|---|---|---|
| 1st position, beginning | 2nd position | 3rd position | 4th position, center | 5th position | 6th position | 7th position, ending |
| 11th alphabet | 5th alphabet | 8th alphabet | 9th alphabet | 14th alphabet | 4th alphabet | 5th alphabet |
soloist.ai/onboarding?utm_source=new-tab&utm_medium=firefox-desktop&utm_campaign=native-article-cards
Hong Kong was driving to Albertsons Lucky, Brookvale.
Hong Kong drove me from their house to 99 Ranch Market.
I cut my finger nails. I shaved my beard. I cut my hair.
Is Koko still with you? Ni mi se ri be mo.
Is Koko still with you? That is why I don't see it like that anymore.
2025-05-06T17:09:00 (what) What is beyond a place? 19:09 (color lo show) 2025-05-06T18:52:00 I am referring to my conversation with Benitoluwa about Ademiloluwa. I had a run-in with the police... which was fruitless.
| Dated | Title | Commentary |
|---|---|---|
| 2025-04-30T04:03:00 | Bible relational database mapping. | There is a 1-to-1 mapping of each Bible version into a relational database table column. |
| 2025-05-01T02:36:00 | Where is place mention? | The Bible starts with the creation of the heaven and the earth in (Genesis 1:1). God planted a Garden eastward in Eden (Genesis 2:8). |
| 2025-05-02T07:30:00 | Influence of data. | When we think of a relational database and a Structured Query Language (SQL), we understand 2025-05-02T14:53:00 the separation of data into parts. |
Saint James the Apostle Catholic Church. 34700 Fremont Boulevard. At the intersection of Fremont Boulevard and Ferry Lane. On the 3rd day, he lifted up his eyes. 3rd block from east. 5 poles east. 3 poles west.
(Juval Löwy of IDesign, 2019).2025-04-05T09:04:00 Composable Design
2025-04-05T13:41:00 I have the sequence, the time, and the word. Coming from Union City BART Station, close to the intersection of Paseo Padre Parkway and Darwin Drive. How will I dictate His use as a person?
2025-02-22T06:19:00 Akedah the binding of Isaac
(
Genesis 22:12, Genesis 22:20
)
youtube.com/watch?v=9uTXz9VHLXw
2018-07-01...2025-02-22=2428 days (6 biblical years, 8 biblical months, 28 days) (6 years, 7 months, 3 weeks, 2 days)
2025-01-31T13:07:00 How will I assist Him ( Numbers 3:45 )? Initially, your work was original. 2025-01-31T15:41:00 Now... your work is supplementary to Holy Spirit ( 1 Corinthians 2:2 ) 2025-01-31T16:00:00...2025-01-31T16:19:00 With Richard Tembo a Zimbabwe-born Canadian student migrant, and Andrina a Greek descent female of Tembo Electronics, I did not keep track of the amount of money loaned nor repayment. With Paul Watson, a New-Zealander, and Kerry Watson, a Greek-descent nurse of New Century Software, I did not keep track of hours worked, hourly pay rate, nor the amount of money loaned nor repayment. Doctor Makan Talayeh and I spoke about the Los Angeles (LA) fire, and doctor Makan Talayeh said it was about 4 miles away from his home, house, place. Makan Talayeh said it was due to global warming and wind, and may occur again in 2–3 years' time. Specify anchor... algorithm? Trademark... patent ( 1 Corinthians 3:12-14 ).
2025-01-31T17:09:00 With AlphabetSequence, you were making the Bible... useful. 2025-01-31T17:11:00 What application... have I used? 2025-01-31T17:11:00 What applies... as the same? 2025-01-31T17:12:00 What exactly... as the author... applied? 2025-01-31T17:13:00 How can.... the motorist... stay the same? 2025-01-31T17:14:00 What exactly as passed somebody? 2025-01-31T17:15:00 How we are made as God? 2025-01-31T17:15:00 What opportunity has He given ( Hebrews 1:2 )?
(Dmitry Pilugin).2025-01-11T18:41:00 Database optimization
- 2025-01-11T17:23:22 queryprocessor.com 2025-01-11T18:41:00 Join Estimation Internals in SQL Server April 24, 2018 by Dmitry Piliugin : It was built with transport model... in question? Extensible Markup Language (XML)... JSON (JavaScript Object Notation). ContactMaintenance.aspx joins contact information, but it is in a master-detail hierarchy. 2025-01-13T09:46:00 SQL Server 2016: Scalar UDF Estimation and Project Normalization April 25, 2018 by Dmitry Piliugin : When searching by Bible groups... these are scalar functions. 2025-01-13T11:40:00 Do we have to be part of this ( Acts 7:25, Genesis 37:20 )?
(Christopher G. Brinton, Mung Chiang, 2016).2025-01-27T16:58:00 The Power of Networks
2025-01-28T10:45:00 The three Rs of the Internet Age: rating, ranking and recommending
- 2025-01-28T12:32:00 Rating: 2025-01-28T13:01:00 earthly... heavenly ( Luke 1:19, Psalms 8:5, Hebrews 2:2, Hebrews 2:7, Matthew 26:53, Matthew 19:14 )
- 2025-01-29T13:35:00 Recommending ( Philemon 1:9-11 )
2025-01-27T16:58:00 Six Principles That Connect Our Lives
- 2025-01-27T16:58:00 Sharing is hard: An address may be for a domain, page, anchor, or more recently, text fragments. An address may also be for a single or multiple e-mail addresses. The advent of client/server computing... 2025-01-27T17:19:00 introduced the concept of sharing information... to complete a task. Asynchronous JavaScript and XML (AJAX) supports activities such as background data exchange, and partial page refresh.
- 2025-01-27T18:16:00 Ranking is hard
- 2025-01-27T18:56:00 Crowds are wise: Where am I suppose... to be people? Jesus Christ included people ( Mark 10:40 ). 2025-01-27T19:00:00 The author... sought adaptation to the Bible.
- 2025-01-27T19:25:00 Crowds are not so wise
- 2025-01-27T19:33:00 Divide and conquer: In his first role at the then leading client/server technology provider, PowerSoft, the author's task was to migrate the marketing spreadsheet to a client/server architecture. The steps would have included:
- Install the Sybase relational database on a UNIX Solaris Operating System
- Reverse-engineer with probably S-Designor the cells into database schema and tables
- Migrate the data from a spreadsheet and populate the database
- Regularly, manage the data, and set up the database maintenance wizard, including backup
- 2025-01-27T20:02:00 End to end: The first database, may, after time, not be a single island, managed by one-person, but it may grow into an enterprise application
From my bedroom, I walked into the light of the upstairs lobby to wear my Spyder Active trousers that I purchased from Costco on 2024-03-21. Where does God reveal Himself? There are 47 occurrences of the word light in the King James Version (KJV) of the Bible Gospel books. Google.com may have a statistics attribute for providing additional/specific information. Alternatively, what type of information... am I searching for? Image, audio, video, news, statistics... 2024-12-21 05:25:50.117 icr.org/books/defenders/629 Pharaoh's magicians were somehow able to duplicate the first two plagues. 2024-12-21T07:18:00 May rank statistics?
(Haishi Bai, 2019).2024-12-10T15:23:25 The Journey to WordEngineering
- 2024-12-14T12:14:00 Availability ( Daniel 2:33-35, Daniel 2:41-43 ) Wake-up orientation: My right foot is in the center and on the top of my left foot.
- After the author completed his 3 Associates degrees, the president of Central Piedmont Community College (CPCC), doctor Richard Hagemeyer, asked the author if he would like to go to Africa?
- After the author completed his Bachelors degree, the author did technician work in separate telephone call areas, and the upgrade of Borland Turbo C language software that prints labels for the offsite storage of reel tapes.
- After the author completed his Master's degree, the author did database replication between the central database and remote databases.
- The author's doctorate study was based on intelligent appliance security and storage.
- 2024-12-14T15:48:00 Scalability ( Genesis 41:34-36, Genesis 41:47-49, Genesis 41:53-57 )
Do you not believe I will provide your need?
- When the contract of the author was terminated where he first did database replication, the author commenced a lead software engineer role in a client/server trainee and apprenticeship project.
- The author initially used a Sybase PowerSoft Watcom Anywhere database server prior to the South-African Hindi database administrator (DBA) migrating to an Oracle Designer 2000 Computer-Aided Software Engineering (CASE).
- The Polish heart attack survivor project manager restricted workers to 40 hours a week.
- 2024-12-14T17:23:00 Security: What do we have as sufficiently giving ( Daniel 6:22 )?
- 2024-12-14T18:25:00 Agility: The idea of the author is not... Comprehensive of people.
- 2024-12-14T16:33:00 What we have of the past?
- 2024-12-14T22:15:00 How can we prove you wrong... we are right ( 1 Samuel 22:2 ) ?
2024-11-05T02:41:00 Who's personally... the story? The word of God is pure, but it is only recorded in the HisWord's table, Word column. Every other place... is man's correlation and hopefully collaboration. 2024-11-05T03:05:00 If only one column... What does? I have not? 2024-11-05T03:22:00 The datetime column type is useful for backdating. 2024-11-05T04:18:00 To delegate the use? 2024-11-05T05:13:00 Not looking hinder... but looking forward.
(Allen G. Taylor, 2024).2024-11-03T03:58:00 Requirement: mandatory, significant, optional
- 2024-11-03T04:26:00 Mandatory: It is absolutely essential that the database be accessible, and at a limit data entry is done, punctually. SQL Server is a service.
- 2024-11-03T04:52:00 Significant: What you do with so ever? Microsoft SQL Server Management Studio.
In looking at the Bible, a decision was made to separate it into 2 parts, the former Old Testament, and the latter New Testament. This offered the Jews the opportunity to retain the Tanakh. This influenced the calendar breaking into B.C. and A.D. The Moslems, disillusioned with the proprietary Bible, got the Koran. 2024-10-28T05:45:00 A decision has to be made on your part... to follow the truth. 2024-10-28T06:06:00 What input has He contributed... that should be my output? I initially stored each day's work into separate files. For granularity reasons, I later chose to store each word in its own record.
Initially, I registered the trademark, WordEngineering. After offering me a book, Ocean Senior, I afterwards, was issued the domain name, www.JesusInTheLamb.com. ( Revelation 21:23, Revelation 21:2, Revelation 2:17 ). At Baynet.com, I learned how to use Microsoft VisualStudio, and how to develop using dynamic link libraries (DLL). This method I applied at Daigaku Honyaku Center (DHC). I also copied code from ASP.NET Unleashed by Stephen Walthers. These were prior to Microsoft introducing Microsoft .NET Framework 3.5 and with it Language Integrated Query (LINQ) and ASP.NET Model–view–controller (MVC). 2024-10-19T03:47:00 What obviously did He use... to later Him? With HTML, you have elements and attributes. Choosing... to place alike. I personalize... the change. I use Google to check my terminology, and later correct my grammar. 2024-10-19T04:02:00 Begin as a representation. 2024-10-19T04:24:00 What will maintain... a... instance of myself?
| Word | Actor | Scripture Reference | Probability |
|---|---|---|---|
| Image | Man | Genesis 1:26-27, Genesis 9:6 | |
| Spirit | Adam | Genesis 2:7 | |
| Only begotten Son | Jesus Christ | Genesis 22:2, John 3:16, John 3:18, Hebrews 11:17, 1 John 4:9 | 1 |
| Part of the body | Jesus Christ | Isaiah 53:1, Acts 13:22 | 1 |
(Tiffany McDowell, 2024-07-04).International Business Machines (IBM):
- An association of being alike... is the assurance of the same.
- The continuation of myself... is all I am allowed.
- One side... the decider.
- IBM PC compatible:
At Central Piedmont Community College (CPCC), Charlotte, North Carolina (NC). The author tutored in the personal computer (PC) laboratory.
- The computers were IBM, Apple, Radio Shack
- The programming languages were Microsoft's Basic and Borland's Turbo Pascal
- The applications were WordStar wordprocessor, Lotus 1-2-3 spreadsheet, dBASE
- IBM employee:
- In Ilupeju, Lagos State, Nigeria, while the author was walking on the street, away from the premises of a client, Simeon Onasanya, an employee of IBM and the older brother of Tunde Onasanya, called him
- In Sydney, Australia, Alex Koutsombos, an IBM employee, sent periodic Java programming language e-mails
- IBM event:
- In Sydney, Australia, the author received an end-of-year gift of wine from IBM
- In Sydney, Australia, the author interviewed for a Microsoft SQL Server database administrator (DBA) role with IBM for the Sydney 2000 Olympics
- In San Francisco, California, the author attended an evening after-work party that was organized by IBM
- In San Jose, California, the author attended a conference that was hosted by IBM. Among the invitees were an African American mother and daughter
Is this a link ( Genesis 41:32, 1 Corinthians 15:45, Acts 9:3, Genesis 5:3 )?
During my 2nd contract with Westpac, I calculated financial information. I did not know how this data got into the database, nor was I aware of future data update. I am now writing historical experience, I am not writing technical understanding.
The balance tradeoff... between a persistent table or a computed period? This table was explicitly created on 2024-06-10T03:13:00.
GetAPage.html depends on the word.
| Speak face-to-face | Dream or vision | Commentary | Scripture Reference |
|---|---|---|---|
| Moses | Other prophets | Leader | Numbers 12:6-8 |
| Jesus Christ | Other teachers | Authority | Matthew 7:29 |
| Word | Actor | Scripture Reference |
|---|---|---|
| Holy Spirit and people | Adam | Genesis 2:7, Genesis 2:20-25, Genesis 4:25-26 |
| After Mine own heart | David | 1 Samuel 13:14, Acts 13:22, 1 Samuel 25:3 |
| Word | Scripture Reference |
|---|---|
| Believer in Jesus Christ | John 11:26 |
| Kingdom of God | Daniel 2:44-45 |
| Charity | 1 Corinthians 8:1, 1 Corinthians 13:1, 1 Corinthians 13:2, 1 Corinthians 13:3, 1 Corinthians 13:4, 1 Corinthians 13:8, 1 Corinthians 13:13, 1 Corinthians 14:1, 1 Corinthians 16:14, Colossians 3:14, 1 Thessalonians 3:6, 2 Thessalonians 1:3, 1 Timothy 1:5, 1 Timothy 2:15, 1 Timothy 4:12, 2 Timothy 2:22, 2 Timothy 3:10, Titus 2:2, 1 Peter 4:8, 1 Peter 5:14, 2 Peter 1:7, 3 John 1:6, Jude 1:12, Revelation 2:19 |
| First resurrection | Revelation 20:5-6 |
| Promised Land | Revelation 3:12, Revelation 21:2 |
| Messianic Covenant | Jeremiah 31:31-33 |
| Divided according to the children of Israel | Deuteronomy 32:8 |
| Word | Commentary | Scripture Reference |
|---|---|---|
| Greatest Commandment | Love the LORD thy God. Love thy neighbor as thy self. | Matthew 22:36-40, Deuteronomy 6:4-9, Mark 12:28-31 |
| Forerunner | The law and the prophets were until John | Luke 16:16 |
| Word | Scripture Reference |
|---|---|
| Seed | Isaiah 53:11, Genesis 3:15 |
| Lead | Matthew 23:9, John 15:15 |
| Interval | Hebrews 11:39-40 |
| Actor | Commentary | Scripture Reference |
|---|---|---|
| God | Man | Genesis 1:26-27 |
| Adam | Helper | Genesis 2:18-25 |
| Eve | Seed of the woman | Genesis 3:15 |
| Leader | Successor | Acts 26:29 |
| Word | Scripture Reference | Commentary | ||||||||||||
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
| Beginning | Genesis 1:1 |
|
||||||||||||
| Forever | Matthew 18:22 | |||||||||||||
| Sign rainbow, festival, event, cummulative | Genesis 1:14 | |||||||||||||
(Stephen C. Meyer).Intellectual presuppositions to enable the rise of science
- Intelligibility of nature: Words were part of his life.
- Order in nature: To digest what has been and reckon what will be.
- Contingency of nature: To take one's own as one's possibility.
Understanding is achievable
- Observe: Read the Bible and record words spoken.
- Test: Compare the words in the Bible with the words heard.
- Measure: Apply metrics to gain closeness.
Where is the knowledge added? The word column is how the author is up-to-date? The others are man's work.
Telling intelligence? What did Hagar say? Her only speaking was with the one that sees?
| Event | Feature | Scripture Reference |
|---|---|---|
| Creation | Image of our ancestors | Genesis 1:26-27, Genesis 2:7, Genesis 6:3, Luke 3:38 |
| Redemption | Image of the Son | 1 John 3:2 |
| God | Actor | |
|---|---|---|
| Moses | Jesus | |
| Name | Jehovah ( Exodus 6:3 ) | Father ( Matthew 23:9 ) |
| Place of Origin | Egypt ( Exodus 2:19 ) | Bethlehem ( Matthew 2:1-18, Luke 2:1-20, John 7:42 ) |
How do I expand on the word? Scripture reference or personal testimony ( Genesis 2:18-25, Genesis 3:15, Genesis 41:45, Daniel 2:45 )?
What does authoring the word do? To shed as much light as our opening ( Genesis 1:1-1:5, Luke 4:16-4:32, John 2:1-2:11 ).
Why computer cannot be our part? AlphabetSequence is like a calculator. The logic is straight forward and it is not varying in part.
| Word | Scripture Reference | Commentary |
|---|---|---|
| Prophecy fulfillment | Isaiah 61:2, Luke 4:19, Daniel 9:24-27, Matthew 5:18 | Iota |
| Word | Scripture Reference |
|---|---|
| Punctual | Genesis 1 |
| Anti | Genesis 2:17, Genesis 3:3-4, John 12:34 |
| Babel | Genesis 11:9 |
| Stricter versus (VS) flexible | Matthew 18:22 |
| Word | Reference |
|---|---|
| Calendar | Day, Month, Year |
| Direction | East, North, South, West |
| Word | Scripture Reference |
|---|---|
| Seed of Abraham | Genesis 26:4 |
| Forgive | Matthew 18:21-22 |
| Word | Scripture Reference |
|---|---|
| Moses - Egypt, Midian, Wilderness | Exodus 2, Hebrews 11:25 |
| Word | Reference |
|---|---|
| Heaven versus (VS) Earth? Salvation | Genesis 1:1, John 4:22 |
| Dead versus (VS) Alive? Spirit | Genesis 1:2 |
| Water versus (VS) Land? Israel | Revelation 17:1, Revelation 17:15 |
| Prophecy versus (VS) Fulfillment? Word | Lamentations 3:37 |
| Word | Scripture Reference |
|---|---|
| Birth right | Genesis 25:31-34 |
| Genealogy | |
| Blessing | 1 Chronicles 5:2 |
| Avenger of Blood | Numbers 35 |
| But we see Jesus, who was made a little lower than the angels for the suffering of death, crowned with glory and honour; that he by the grace of God should taste death for every man. | Hebrews 2:9 |
| Disciple | Acts 22:3 |
| Forerunner |
| Word | Scripture Reference |
|---|---|
| Holy Spirit | Genesis 1:2, John 4:24, Genesis 6:3, Genesis 41:38 |
| Evil spirit | Judges 9:23, 1 Samuel 16:14, 1 Samuel 16:15, 1 Samuel 16:16, 1 Samuel 16:23, 1 Samuel 18:10, 1 Samuel 19:9, Luke 7:21, Luke 8:2, Acts 19:12, Acts 19:13, Acts 19:15, Acts 19:16 |
| Lying spirit | 1 Kings 22:22-23, 2 Chronicles 18:21-22 |
| State of spirit | Genesis 45:27, Exodus 6:9, 1 Kings 10:5, 2 Chronicles 9:4 |
| Word | Reference |
|---|---|
| Anti | 1 John 2:18, 1 John 2:22, 1 John 4:3, 2 John 1:7, Revelation 2:13 |
| Un | Ungod, unholy, unrighteous |
| Word | Scripture Reference |
|---|---|
| Role | Genesis 32:28 |
| Place | Matthew 23:37 |
| Times | Luke 21:24 |
| Language | Genesis 11:9 |
| Word | Scripture Reference |
|---|---|
| Alter | Acts 6:13-14 |
| Iterate | Jeremiah 25:11-12, Jeremiah 29:10 |
| Utilize | Numbers 35:25, Numbers 35:26-28 , Numbers 35:32, Joshua 21:13, Joshua 21:21, Joshua 21:27, Joshua 21:32, Joshua 21:38, 1 Chronicles 6:57 |
| Utter | Judges 12:6 |
| Word | Scripture Reference |
|---|---|
| Divine | Genesis 41:32 |
| Alphanumeric | |
| Multi-Lingual | Psalms 81:5 |
| Word | Commentary | Scripture Reference |
|---|---|---|
| Shema | The term remember occurs 210 times in the KJV Bible. | Deuteronomy 6:4–9 |
| Passover Lamb | John 1:29, John 1:36 | |
| 10 Commandments | The 10 Commandments are separated into love for God and your fellow man like yourself. | Exodus 20:2–17, Deuteronomy 5:6–21 |
| Prophecy and Fulfillment | Daniel 9:2 | |
| Book of the Law | Joshua 1:8 | |
| Deuteronomy | The title of the last book of Moses means remembrance. | Exodus 20:2–17, Deuteronomy 5:6–21 |
| Sabbath-Day and Festivals | Periodic anniversaries of His work. | Exodus 20:11 |
| Remember Lot's wife. | Luke 17:32 |
| Word | Scripture Reference |
|---|---|
| Greatly beloved | Daniel 9:23, Daniel 10:11, Daniel 10:19 |
| Birthright | Daniel 1:3-4 |
| Marital bestowment | Ruth 2:10 |
| Word | Commentary | Scripture Reference |
|---|---|---|
| Role | Trying as a simple example of resemblance. | Genesis 4:26 |
| Physical Apperance | Such as I choose of Myself? | Genesis 1:26-27, Genesis 5:3, Genesis 9:6, 1 Samuel 9:2, Isaiah 53:2, Zechariah 11:17 |
| Word | Scripture Reference | Measurable |
|---|---|---|
| Holy Spirit | John 3:34 | No |
| Babel | Genesis 11:9 | No |
| Promised Land | Genesis 12:7, Genesis 13, Ezekiel 33:24 | No |
| Census | 1 Chronicles 21:2 | Yes |
| Word | Commentary | Scripture Reference |
|---|---|---|
| Actor | The law and the prophets: Can I prepare man for an event of time? | Amos 3:7 |
| Event | When does man decide His future is as reminded? Connecting the past as I use. | Genesis 1, John 1 |
How suitable is the data for general use?
| Actor | Type | Scripture Reference |
|---|---|---|
| Jesus Christ | Passover Lamb | John 1:29, John 1:36 |
| John the Baptist | Forerunner | John 1:33 |
| Moses | Prophet | Exodus 7:1, Numbers 12:6, Deuteronomy 18:15, Deuteronomy 18:18, Deuteronomy 34:10 |
| Actor | Type | Scripture Reference |
|---|---|---|
| Seth | Man | Genesis 4:25, Genesis 5:3 |
| Abraham | Believe | Romans 4 |
| Isaac | Land | Genesis 26:2, Genesis 26:12 |
| Title | Time | Scripture Reference |
|---|---|---|
| Creation | 6 Days | Genesis 1 |
| Exodus from Egypt to the Promised Land | 40 Biblical Years | Exodus 16:35, Numbers 14:33-34, Numbers 32:13, Deuteronomy 2:7, Deuteronomy 8:2, Deuteronomy 8:4, Deuteronomy 29:5, Joshua 5:6, Nehemiah 9:21, Psalms 95:10, Amos 2:10, Amos 5:25, Acts 7:36, Acts 7:42, Acts 13:18, Hebrews 3:9, Hebrews 3:17 |
| Weeks of Years | 490 Biblical Years | Daniel 9:24-27 |
| First Resurrection | 1000 Biblical Years | Revelation 20:2-7 |
| Alias | Scripture Reference |
|---|---|
| Son of God | Matthew 16:13-20 |
| Son of David | Matthew 22:42 |
| Son of Man | 1 Corinthians 15:45 |
| Word | John 1 |
There is more to you, than you are ( Ephesians 3:18 ).
We want personal data, when is public data sufficient?
The author will not break each experience into sequences. At this late stage of the research, the author is content, with his original table design, and will elaborate, when it is appropriate, to newer suggestions.(John Whalen).
| Type | Commentary |
|---|---|
| Man | Election - Did He share His hope? |
| Place | Promised Land - Where I will inhabit? |
| Actor | Commentary | Scripture Reference |
|---|---|---|
| Adam | The first man will need a companion | Genesis 1:26-31, Genesis 2:6-25 |
| Jesus Christ | Transformation of the spirit | John 3 |
On 2019-04-04T09:00:00 andre.nguyen@gqrgm.com will telephone me about the role with Google's co-founder Larry Page jobs.lever.co/kittyhawk.aero/701c6d9a-2d8a-4727-a345-d4a93d6dcc27?agencyId=3b8e0b44-7127-4709-ad21-6eb8ea5f7403 Andre Nguyen asked how I spend my day?
This is how most people, live their lives; this is what I have accepted as mine. When I receive a word, I make it my work, to record the word and personalize my entries. I try to match this new story segment, with the preceding and forthcoming event threads.
When the author observes explicit experiences, he may record this additional data, in the HisWord's table ContactID, ScriptureReference, Location and Scene columns. How relevant is Your word to our opinion? This projection may result in entries of new records in the Remember and APass tables. Where are people, his relation?
2024-07-01T18:27:00
34324 Siward Drive. Fremont, California (CA) 94555
How do we develop... our past time
(
Genesis 37:19-20, Daniel 6:5
)?
Specificity guides our entries into the HisWord table; for example if the information is not explicit, do not record it. This means that the nullable columns may be left empty. When there are more than one possible entries, choose the most rare.
What we do minimally, is how we do enormously.
God may put a thought or question in my mind, rather than sharing a word? To know the need of revealing one another?
In every scenario, we participate in, our last outcome should be holy ( 2 Samuel 12:14 ). Future study, may consider the actors in the Bible, and award their holiness in each scenario.
This is our attempt to find follow-up, continuity in the Bible. A brief repetition of our activities, subsequently. Firmer consequence ( Isaiah 23:15, Isaiah 23:17, Jeremiah 25:11, Jeremiah 25:12, Jeremiah 29:10, Daniel 9:2, Zechariah 7:5 ). Listed below are some of the repeated reinforcements.
An angel of the LORD appears to the wife of Manoah and prophesy that she will give birth to a Nazarite son ( Judges 13:2-5 ).
The same angel appears to Manoah and his wife ( Judges 13:6-25 ). The angel reinforces the their responsibility and defers reverence to God.
Foretelling the birth of John the Baptist ( Luke 1:5-25, Malachi 4:5 ). Transitioning the present to the after ( Luke 1:17 ).
Foretelling the birth of Jesus Christ ( Luke 1:26-38 ). Continuing the Davidic line ( Luke 1:32-33, 2 Samuel 7:12-13, 2 Samuel 7:16 ).
The Bible does not explicitly mention the citizenship of Cornelius, but it mentions his rank as a centurion in the Italian band ( Acts 10:1 ).
Simon Peter is a fisherman, but without the LORD's presence, fishery is not sustaining ( Luke 5:4-11, John 21:3-6, Matthew 17:24-27, Acts 10:9-16 ). What I bring to Him; is me alone, to value Him.
The first occurrence of the word, full, in the Bible, occurs in ( Genesis 14:10 ); and is in reference to the vale of Siddim, which was full of slime pits, and this is where the kings of Sodom and Gomorrah fled, and fell. The father of the faithful, Abraham, died, full of years, and the son of promise, Isaac, died, full of days ( Genesis 25:8, Genesis 35:29 ); The last occurrence of the word, full, in the Bible, occurs in ( Revelation 21:9 ). Living a presence ( Jeremiah 28:11 ). To creating a future full of all. To creating a future free of all.
Our LORD's prayer is a communal prayer; directed to the one God ( Matthew 6:9-13, Luke 11:2-4 ). Please note that it is Jesus; teaching this prayer; so He doesn't refer to Himself or the Holy Spirit explicitly; as in another passage, when He mentions Himself as the bread ( John 6:31-35 ). He explains the truth; that we may fall short of it, by explicitly referring to the Father. He is alluding to the events in the apocalyptic books, Daniel and Revelation. We are on earth, and we have an earthly father; where we are, is not where, we wish and will to reside ( Matthew 6:9, Luke 11:2, Daniel 2, Revelation 5 ). When no matter, where I go; this is how, I Am found ( John 20:17 ).
The word, true, occurs in seventy-seven verses in the Scripture Bible, and there are eighty-one occurrences. True, first occurs in Joseph's interaction with his brothers ( Genesis 42:11, Genesis 42:19, Genesis 42:31, Genesis 42:33, Genesis 42:34 ); Jacob had colluded with Rebecca, his mother, to get Isaac, his father's, blessing; God shows that Joseph will have elevation over his parents and siblings. There are ten occurrences of the word, true, in the book of ( Revelation ); in response, to God.
How the Bible compares the gender?
During Creation, God asked all living things, be fruitful and multiply; God asked Adam to name the living creatures, and God required Adam to take care of the Garden of Eden, but this taking care is to dress and keep the garden; there is a role for man, the tree of the knowledge of good and evil, and the tree of life. God did not specify the welfare of animals. Out of Adam, God made a helper for Adam, Eve.
After the Fall of Man, Adam's labor will be thorough; and there is enmity between the serpent and Eve, and each other's seed; and Eve will have pain, during child-birth.
God made coats of skins, and clothed them; it is our presumption, that the clothing is from living things, generally perceived as sin sacrificial animal(s), but since this clothing is not specified, an alternative, is that it is a plant, or another creature entirely.
God created an adult male, Adam; and his female counterpart, Eve ( Deuteronomy 2:14, John 5:5 ). There is no mention of Adam's activity, after the fall of man; as Eve bares and name their children; Adam's earlier effort, which was to cater for the Garden of Eden and name the animals.
We can only suggest, that the struggle between good and evil, continues upon the birth of Cain, Abel, and Seth. Eve named Cain, as her possession; and Seth, as the appointed seed.
God instituted male circumcision, which should take place on the eighth day, as man's responsibility in keeping the Abrahamic covenant.
At times, there is proclamation of a mantle, before livelihood; as in the case of Ishmael, Isaac, Jacob, Samson, John the Baptist, and Jesus Christ. In each example, there is a relationship between God and a parent; and God is directing, the offspring's onus. The want similar to Christ; is to see yourself, among fold.
Historical man's profession are keeper of sheep, a tiller of the ground, handle the harp and organ, an instructor of every artificer in brass and iron. Unlike the first men, in the Bible, Seth's service was not identified, we only know that after the birth of Seth's son, Enos, men began to call, on the name of the LORD.
The 10 Commandments details the relationship we aspire to have with God, and our fellow-men.
God may consign men to overseer, as in the case of Melchizedek king of Salem, the priest of the most high God, and collector of tithes; Joseph, dreamer and interpreter, and he will save much life, in Egypt; as in incorporating the end. We share among us; as no foundation separates us.
A choice between what you have, and what you will want? ( Revelation 5:5, Matthew 1:25, Luke 2:7, Romans 8:29, Colossians 1:15, Colossians 1:18, Hebrews 11:28, Hebrews 12:23 ). Where I take you; is where you belong ( Genesis 13:14-18, Deuteronomy 34 ).
| Title | Scripture Reference |
|---|---|
| Begotten Son | John 1:18, John 3:16, John 3:18, 1 John 4:9 |
| Subject | 1 Corinthians 15:28 |
| Holy Spirit | Luke 1:35, Acts 2, 2 Thessalonians 2:7 |
CREATE UNIQUE NONCLUSTERED INDEX [IX_Contact_Names] ON [dbo].[Contact] ( [FirstName] ASC, [MiddleName] ASC, [LastName] ASC, [NickName] ASC, [OrganizationName] ASC )
2024-09-04T29:35:00 The appropriateness of scripture reference? 2024-09-04T29:52:00 Given the scripture reference... the scriptural text... is largely available. 2024-09-05T00:03:00 The work of the author may be considered numerology, if it had stopped at determining only the AlphabetSequenceIndex but it had progressed into giving more weight to the AlphabetSequenceIndexScriptureReference. 2024-09-06T20:00:00 What did He get when He divided? Adam's rib? Eve.
2024-09-05T10:31:00 Getting right as Himself? One. versus (vs) Getting one right as Himself. 2024-09-05T14:59:00 I have preferred... the order of the word.
2024-08-24T12:15:00 What did he find... he needed perfection in? 2024-08-27T21:29:00 Expand beyond your own ( Acts 5:4 ).
2024-08-24T20:05:00 It is just an address... you are communicating with?
2024-08-27T12:27:00 How favorable... time has been. Some features that were available in SQL set-based are not available in C#, prior to the introduction of Language Integrated Query (Linq). These include Full-Text Search Thesaurus, soundex, regular expression (RegEx).
2024-08-27T17:45:00 To who determine the same?
2024-08-09T11:49:00 11:47 Should the timing be relevant and specific to the author's location, scenery, or event?
2024-08-05T14:30:00 Four six nine or 469 Word or number? The Hebrew language is alphanumeric. The digits were pronounced, not the combined number.
2024-08-18T21:05:00 To associate the same ( Genesis 4, Genesis 2:18-25, Genesis 1:14-19 )?
As of 2024-05-22T14:48:00 Microsoft SQL Server does not support sql:2003 Assertion. Microsoft SQL Server does not yet implement CREATE ASSERTION assertion-name CHECK (constraint) http://stackoverflow.com/questions/4130039/does-sql-server-2008-support-the-create-assertion-syntax 2024-05-22T15:28:00 Potential fallback? CHECK CONSTRAINT or trigger.
What is the repository? If the user only needs to store the Word from God, a text file is sufficient? A comma-separated value (CSV) may suffice for multiple columns.
How to...use the word? My earlier work has been to refer to the word. To look for one I deem as I? Mo fe wa productive in the word? I want to be productive in the word?
Where My word, has developed His need ( 2 Kings 8:5 )?
The select inputs do not have default values.
The Scripture table is a one-to-one mapping between the Bible version and column. These arrangements are futile when there are inconsistencies in the Bibles versions separations. An alternative is to have a table for each version. Publishers issue Bible version.
What does the Bible teach us about twins? Full-Text search? We have given preference to the word, not the commentary, which is subjective.
| Title | Scripture Reference |
|---|---|
| Servitude | Jeremiah 25:11-12, Jeremiah 29:10, Daniel 9:2 |
| Fulfillment | Luke 9:31 |
| Incentive | Daniel 12:13, Isaiah 53:12 |
We may need, human help, to determine, the theme-of-the-day?
The author's work is record specific, GetAPage.html. Further work may consider the entries for a particular date, datetime range, or HisWordID set basket? What this information have in common?
On 2022-01-10, I will recall that the birthday of biological mother is coming up, on 2022-01-12. I should pray about this and reinforce effort. What is He, starting to say?
Is there going to be a safe development to this design? There is key to reason. This work is not defamatory nor inflammatory.
Such as, will a query language find the mother, father, and child relationship?
knew wife
SELECT ScriptureReference, KingJamesVersion From Bible..Scripture WHERE KingJamesVersion LIKE '%knew%' and KingJamesVersion LIKE '%wife%'
SELECT ScriptureReference, KingJamesVersion From Bible..Scripture WHERE KingJamesVersion LIKE '%wife%' and KingJamesVersion LIKE '%child%'
Numbers in the Bible are written out as words. The author made effort to parse these words and find the numbers, but it was not totally successful, largely because of the arrangement of the numerals.
Where should the data reside? Database, JSON or XML files?
SQL returns records in rows; there is a result set. Would we, be able, to amalgate the result set? For example, how can we, find themes in the Bible? When you enter a topic, can we return a trend? Clustering, can we return a number; as its present ( 1 Kings 19:11-13 )?
Initially, when I got a word, I made efforts to expound, on this word; but now, I share the word, and wait on God to reinforce the word, or share a new theme.
2019-05-30 My ancestral home is Ile-Ife, the site of the Oranmiyan staff. My search for the word, Staff, inspired relating the Bible to my life. Staff, first occurs in, ( Genesis 32:10 ). In my ninth year, my twin sibling and I, relocated from Ile-Ife Staff School to Lagos. In our tenth year, we visited London. In my 32nd year, I re-located to the United States of America (USA).
God intended man, to be a personal use. The work of the author is an individual effort, and it targets a singular person. The author separates his work into web pages, but the user may click on a hyperlink, to get more information, and sometime do additional work. The work of the author, builds on the efforts of other people, like the Bible, dictionary and commentary. The HisWord table and associated queries, only currently refers to the contribution of the author. How could we, specialize our work? Who uses, and for what? The setting, is it normal? What are the influence of God, as a person? What are His contribution, solely to man? What part of Him, as He analyzed, as a person? What role, as man, placed on Me? What stimulate you, as a human being; is where My opinion placed? The author read the Bible and listened to His word, prior to the introduction of AlphabetSequence. Where do we follow, His partnership? He has said the word; I have collaborated with Him.
The source code and schema are available at Github.com. This means that the public can review and make updates to the original work of the author. This aged work is not up-to-date with the industry trend, such as cloud computing, mobile applications, decentralized ledger, nosql. Part of the justification for this immaturity; is the need to maintain a low entry point and capture a wide audience for its adoption.
WhoIs for social networking sites like WordPress, Github, Twitter, LinkedIn, Facebook, etc. When nothing without Me; is sufficient without Me. Where I retain.
I use grammarcheck.net. I am proposing a specialization to correct scripture reference. For example, there are many questions and answers, but a further development is to automate the task of correction ( Luke 3:23, Matthew 22:41-46, Matthew 22:28, Mark 7, Genesis 38 ). They are not one another.
When does He say a word, when does He put a thought ( Daniel 5:25-28 )? Ability to say.
When does He talk in the past, present or future?
Which is the information container? The ActToGod table, Major column value, Comparative verse; supercedes the WordsInTheBible table; which is the exact word for the King James Version (KJV) and not all versions of the Bible; and doesn't take into consideration the English language British versus American spelling, such as favour versus favor, nor the generic word, such as, man versus men. When is this, anointing of the Spirit ( 1 Samuel 2:26, Luke 2:52 )?
Can you create a fictitious record in the Contact table, that meet later fulfillment. This record in the contact table will contain a word that is placeable in the title or company field/column. This information is substantiable in the commentary column of the CaseBasedReasoning table. This is compatible to Ghost city. A bit column is settable, for this contact. It allows to keep the contact ID as a foreign key. A record to be someone else.
The effort of the author is to share and comprehend the word of God. What can the author provide to the other; to substantiate the work of the author? God made man as similar to Him to see how life can be? If I spoke the same, how am I the same? I know, I am. The love of being the same supersedes feeling the same. Being in the spirit; is alluding to the sufficiency of men.
| Who | What | When | Where | Why | Scripture Reference |
|---|---|---|---|---|---|
| Abraham | Sacrifice | 3 days | Mount | Tempt | Genesis 22 |
| Jesus Christ | Sacrifice and resurrection | 3 days | Jerusalem at Golgotda | Tempt | Matthew 27:33, Mark 15:22, John 19:17, Matthew 16:21, Matthew 17:23, Matthew 20:19, Matthew 27:64, Mark 9:31, Mark 10:34, Luke 9:22, Luke 13:32, Luke 18:33, Luke 24:7, Luke 24:21, Luke 24:46 |
When you write a thesis, it is a paradigm work, shift in thinking, and it should contain a terminology section. The practice of the author will be to list existing words, and include their meanings. For technical jargons, the author will rely on the Internet, as a definition resource. If the author is introducing a new word, the author will explain its meaning, but this is rare.
WordEngineering Created of an intellect.
SQL Server Execution Plan(Grant Fritchey).
The SQL script contains four scripture references; therefore, there are four execution plans. Three of these execution plans, Query 1, 3 and 4, will solely make use of the low cost clustered index primary key seek, PK_Scripture. These three have trivial optimization levels.
Query 2 does an Index Seek on the IDX_Scripture_VerseIDSequence, since the where clause is on the VerseIDSequence column. The IDX_Scripture_VerseIDSequence indexes on the VerseIDSequence column; it is not a covering index, since the Select column-list includes the BookID, ChapterID, VerseID; therefore, the PK_Scripture is referenced as well in a Key Lookup. Both the Index Seek and the Key Lookup have Seek Predicates, and the Nested Loops will join the results.
The Definitive Guide to SQL Server Performance(Don Jones).
| SQL Server Objects | Commentary |
|---|---|
| SQLServer:Access Methods | Logical data access. |
| SQLServer:Buffer Manager Object | Physical data access. Such as, Buffer cache hit ratio, is how often, data is accessible from memory, rather than the hard disk. |
The author's country of birth, Nigeria, gained independence on, 1960-10-01, a Biblical generation before the end of the second millennium (plural millennia). There are 2570 days between 1960-10-01 and the author's date of birth, 1967-10-15. Nigeria became a republic on 1963-10-01; The difference in days between when Nigeria became a republic, 1963-10-01, and 1967-10-15; is 1475 days; 4 Biblical years, 1 month, 5 days; 4 Gregorian years, 2 weeks. The difference in days, between the creation of Lagos State, 1967-05-27 and the author's date of birth is 141 days (4 biblical months, 21 days) (4 months, 2 weeks, 4 days).
1967-10-15 + 75 Biblical years is 2041-09-16 (Genesis 12:4).
1984-07-17 is the date of the author's 17th Biblical birthday (Genesis 37:2). The date of recording this information is 2020-10-23, Epoch timestamp: 1603454400
Jesus Christ began His ministry at the age of thirty, and the estimate is that He served for three years (Luke 3:23). The author was born on 1967-10-15 thirty-three years before the end of the second millennium. 1967-10-15...2000-01-01 = 11766 days (32 biblical years, 8 biblical months, 6 days) (32 years, 2 months, 2 weeks, 3 days). 1967-10-15 B.C....1967-10-15 A.D. = 1436515 days = 47196 months = 3933 years. My thirtieth, 30th, Biblical years birthday will occur on 1997-05-10. My thirty-third, 33rd, Biblical years birthday will occur on 2000-04-24. Between 1967-10-15 and 1968-04-04 are 172 days (5 biblical months, 22 days) (5 months, 2 weeks, 6 days). Between 1967-10-15 and 1968-10-15 are 366 days (1 biblical year, 6 days) (1 year, 1 day). Between 1967's Easter Day, 1967-03-26, and 1967-10-15, is 203 days (6 biblical months, 23 days) (6 months, 2 weeks, 5 days). Between 0032-04-06 and 1967-10-15, is 706935 days (1963 biblical years, 8 biblical months, 15 days) (1935 years, 6 months, 1 week, 1 day) 49.09270833 Biblical generations, 280.529761 weeks of years.
At the age of twelve, Jesus Christ, His father and mother, worshipped at the temple, in Jerusalem. The author worshipped at Saint Edward's Catholic Church on 2002-07-01, 3.5 Biblical years, after coming to the U.S. (Luke 2:42, Matthew 9:20, Mark 5:25, Mark 5:42). The author deportation to Nigeria, occurred in 1988, twelve-years, before the beginning of the third millennium; and forty-years after Israel's independence. The author first visited the United States of America, as a twelve-years old; and he re-located to Australia before the age of twenty-four. Deported at the age of twenty; and returned before turning thirty-two; a twelve-year period (Nehemiah 5:14). 2022-01-12 What should I, later use? ( Exodus 4:12 ). Decoy Terrace, South Center. Past the house of James. What are beyond out type? Merit the word. The birthday of biological mother is 1944-01-12. The birthday of paternal aunt is 1948-01-30. The average day of the month is (30 + 12 / 2) = 42 / 2 = 21. I was deported as a 20 year old, just prior to my 21st birthday. Can you become a man? Can you form a man? 1614th verse. 1614 - 816 = 798. Between 1999-01-22 and 2020-06-12, there are 7812 days (21 biblical years, 8 biblical months, 12 days) (21 years, 4 months, 3 weeks). 360 * 12 = 4320, the telephone country code for Nigeria is 234. Moses lived for 120 Biblical years, 120 * 360 = 43200. At twelve post meridiem, 12PM, the elapsed time is forty three thousand, two hundred, 43200, seconds. The author's ancestral home is Ile-Ife. The author's place of birth is Lagos. When the author's biological parents re-located to the United States of America (USA), the author re-located to Ile-Ife. Lagos is the economic capital of Nigeria, and Ile-Ife is the cradle of the Yoruba land. The author re-located from Staff School, University of Ife, as a nine-year old; to Lagos, a two-hour journey. Abati Nursery and Primary School. 1967-10-15 + 9 Biblical years = 1967-10-15 + 3240 = 1976-08-28. In February 1992, the author started work at Information Dialling Services (IDS) White International LonSyd.
The singular word, centurion, occurs twenty-one times in the Bible; its plural word, centurions, occurs three times in the Bible; therefore, centurion(s), occurs twenty-four times in the Bible.
In Australia, the author first worked at:
Australian Army Headquarters Training Command
Suakin Drive
Georges Heights NSW 2088
Telephone 61 2 9960 9452
Fax 61 2 9960 9452
The word, covenant, occurs twenty-four times in the New Testament. The word, marriage, occurs sixteen times in the New Testament.
The United Nations began on 1945-10-24, between then, and 1988-10-15, are 15697 days (43 biblical years, 7 biblical months, 7 days) (42 years, 11 months, 3 weeks). (24 - 20) / (70 - 20) = 8% (Numbers 1:3, Psalms 90:10).
1966 Nigerian coup d'état occurred between and and the author was born on , 638 days, after.
Biafra commenced on , and is 138 days, after.
Between when Summer traditionally begin, June 21, and October 15, is a span of (3 months, 3 weeks, 3 days).
October 15, is the forty-fifth day, in the September, October, November, December cycle.
Between September 22 and October 15, is 23 days (23 days) (3 weeks, 2 days).
Between October 15 and when Winter starts, December 21, is a span of 67 days (2 biblical months, 7 days) (2 months, 6 days).
Between October 15 and when Winter ends, March 20, is a span of 157 days (5 biblical months, 7 days) (5 months, 5 days).
During Leap years, between the preceding October 15, and May 7, are 205 days (6 biblical months, 25 days).
Military Occupation Six-Day War was fought between 1967-06-05 and 1967-06-10. I was born on 1967-10-15, and 9 Biblical months, before that, then, was, 1967-01-18. Between 1967-01-18 and 1967-06-10 is 143 days (4 biblical months, 23 days) (4 months, 3 weeks, 2 days).
2 Biblical years, after I was born, is 1969-10-04. Israel was accepted to the United Nations on 1949-05-11, between then and 1969-10-04, is 7451 days (20 biblical years, 8 biblical months, 11 days) (20 years, 4 months, 3 weeks, 2 days). The adoption of the United Nations Partition Plan for Palestine occurred on 1947-11-29, between then, and 1969-10-04, is 7980 days (22 biblical years, 2 biblical months) (21 years, 10 months, 6 days). The 1948 Arab–Israeli War commenced on 1948-05-15, between then, and 1969-10-04, is 7812 days (21 biblical years, 8 biblical months, 12 days) (21 years, 4 months, 2 weeks, 4 days). The 1948 Arab–Israeli War ended on 1949-03-10, between then, and 1969-10-04, is 7513 days (20 biblical years, 10 biblical months, 13 days) (20 years, 6 months, 3 weeks, 3 days).
Approximately, the author became a fetus, eight weeks after conception, on 1967-03-15. Between when Israel became a nation, 1948-05-14, and 1967-03-15 is 6879 days (19 biblical years, 1 biblical month, 9 days) (18 years, 10 months). Between when United Nations Partition Plan for Palestine 1947-11-29, and 1967-03-15, is 7046 days (19 biblical years, 6 biblical months, 26 days) (19 years, 3 months, 2 weeks). Between when the American Revolutionary War began, 1775-04-19, and 1967-03-15, is 70091 days (194 biblical years, 8 biblical months, 11 days) (191 years, 10 months, 3 weeks, 3 days). Between when the American Revolutionary War ended, 1783-09-03, and 1967-03-15, is 67032 days (186 biblical years, 2 biblical months, 12 days) (183 years, 6 months, 1 week, 5 days). Between when the American Revolutionary War ratification was effective, 1784-05-12, and 1967-03-15, is 66780 days (185 biblical years, 6 biblical months) (182 years, 10 months, 2 days).
Between the beginning of the 400 Silent Years and 1967-10-15, are 864,455 days.
Between the end of the 69th week, 0032-04-06, and 1967-10-15, are 706935 days (1963 biblical years, 8 biblical months, 15 days).
Between the end of the 70th week, if there had been no interruption, 0039-03-01, and 1967-10-15, are 704415 days (1956 biblical years, 8 biblical months, 15 days).
Between 1967-10-15 and 2020-06-03 are 19225 days (53 biblical years, 4 biblical months, 25 days) (52 years, 7 months, 2 weeks, 5 days).
The Yoruba tribe speak the Yoruba language and the Yorubas are in the South West of Nigeria. The Yorubas practice the Christians and Moslems religions. The East of Nigeria include the Ibos who speak the Igbo language and are mainly Catholics. The Hausas and Fulanis are in the North of Nigeria. At the Highway 880 South Fremont Exit, the road separates into two, the Alvarado Boulevard, West direction, and Fremont Boulevard, East direction.
The author's primary languages are English, a Germanic language; and Yoruba, a language spoken by western Nigerians. Between the age of twenty and twenty-four, the author developed Kowe, a word and graphic processor. Kowe is an editor, for typing; Kowe's innovation, is that the typist can type diacritic alphabets by using the function keys combined with the alternate, control, and shift keys. Line drawing is also possible with Kowe. Kowe will translate languages.
Between 1997 - 1998, the author pursued his Doctorate at the University of Wollongong, New South Wales (NSW), Australia; and he visited Villawood Detention Center, a place for illegal migrants and asylum seekers, every Friday, as a Christian missionary. One of those migrants, a Ghanaian, had been at the detention center for up-to six years, and he corresponded with immigration officials, regularly. The author thought of building a website that will allow these migrants to share their experiences with the rest of the world. However, the Internet, was still in its infancy, and the author's knowledge was lacking. Also there were only dial-up access, at that time; and the inmates at Villawood, did not have computer access.
Like Jacob, the author's biological father is the second born, and the author is the second twin. Option B: Facing Adversity, Building Resilience, and Finding Joy. I lived in Australia, Down Under, which is in the Asia-Pacific geographical region, for seven years; we can see a demarcation, West and East Germany, North and South Italy. Tokunbo is the author's biological father's fourth child, and she gave birth to twins.
Massacre of the Innocents. 1967-10-15...1967-12-28, 74 days (2 biblical months, 14 days) (2 months, 1 week, 6 days). 1966-12-28...1967-12-28, 291 days (9 biblical months, 21 days) (9 months, 2 weeks, 3 days). 2003-12-28...2004-07-11, 196 days (6 biblical months, 16 days) (6 months, 1 week, 6 days). 2004-07-11...2004-12-28, 170 days (5 biblical months, 20 days) (5 months, 2 weeks, 3 days).
|
||||||||||
|
||||||||||
|
||||||||||
|
||||||||||
|
||||||||||
|
||||||||||
|
||||||||||
|
||||||||||
|
||||||||||
|
||||||||||
|
||||||||||
|
They had varying mother... but one father ( Genesis 32:28 ).
2024-12-31T16:48:00 M Hair. Located in: Paseo Padre Shopping Center. Address: 34380 Fremont Boulevard, Fremont, California (CA) 94555. At the intersection of Fremont Boulevard and Paseo Padre Parkway, 3 motorcyclists rode northward. 2024-12-31T19:55:00 A male-dominated family. What adjustment did you need to make to your life? How your living resemble who?
Diaspora
- The author's 1st workplace in Nigeria and Australia was with Ibos and Jews respectively. Chyke Onyekwere like the author, studied in America. Ralph Silverman was a South African Jew. The author lived and worked in Lagos and Sydney, the commercial centers of both countries. Our experience and education must align with the migrants. As in Daigaku Honyaku Center (DHC). Reminded of success? Kowe? Yoruba speaking. Muñoz? Oral communication and speech. Where will I find the same...as me? I was getting training on how-to...place my work in life? Looking at me as a reflection of you.
Style of Writing
What has prompted your interest in the topic?
The driving forces of arriving at the author's work are:(Dennis Tenen)
- During his education in Australia, the author was exposed to Case-Based Reasoning and Unified Modeling Language. Both themes will suggest the future is made of the possibility. We do not arrive at the future, at once, we gradually move into it.
- The author was receptive and felt most at home during worship.
The book, The Bible Code by Michael Drosnin, is the sole source for this religious work.