Free C++ Binary and Hex Utility Class

//
// Created by jason on 12/1/2021.
//

#ifndef GAMEENGINEOPENSOURCESTARTER_BINARYUTIL_H
#define GAMEENGINEOPENSOURCESTARTER_BINARYUTIL_H

#include <iostream>
#include <math.h>

class BinaryUtil {
public:
    string convertBinaryToString(string message) {
        string returnString;
        for (int i=0; i<message.length(); i+=8) {
            returnString+=convertByteStringToCharacter(message.substr(i,i+8));
        }
        returnString;
    }

    string convertHexToString(string message) {
        string returnString;
        for (int i=0; i<message.length(); i+=2) {
            returnString+=convertHexStringToCharacter(message.substr(i,i+2));
        }
        return returnString;
    }


    char convertByteStringToCharacter(string byteString) {
        // 00101010
        int value = 0;
        for (int i=7; i>=0; i--) {
            if (byteString[i]=='1') {
                value+=pow(2,i);
            }
        }
        char characterValue = value;
        return characterValue;
    }

    char convertHexStringToCharacter(string byteString) {
        // 00101010
        int value = 0;
        int finalValue = 0;
        for (int i=1; i>=0; i--) {
            switch (byteString[i]) {
                case '0':
                    value = 0;
                    break;
                case '1':
                    value = 1;
                    break;
                case '2':
                    value = 2;
                    break;
                case '3':
                    value = 3;
                    break;
                case '4':
                    value = 4;
                    break;
                case '5':
                    value = 5;
                    break;
                case '6':
                    value = 6;
                    break;
                case '7':
                    value = 7;
                    break;
                case '8':
                    value = 8;
                    break;
                case '9':
                    value = 9;
                    break;
                case 'A':
                    value = 10;
                    break;
                case 'B':
                    value = 11;
                    break;
                case 'C':
                    value = 12;
                    break;
                case 'D':
                    value = 13;
                    break;
                case 'E':
                    value = 14;
                    break;
                case 'F':
                    value = 15;
                    break;
            }
            if (i==1) {
                finalValue=value*16;
            } else {
                finalValue+=value;
            }
        }
        char characterValue = finalValue;
        return characterValue;
    }

    string convertStringToBinary(string message) {
        string returnString;

        for (int i=0; i<message.length(); i++) {
            returnString+=convertCharacterToBinary(message[i]);
        }
        return returnString;
    }

    string convertStringToHex(string message) {
        string returnString;

        for (int i=0; i<message.length(); i++) {
            returnString+=convertCharacterToHex(message[i]);
        }
        return returnString;
    }

    string convertCharacterToBinary(char character) {
        int value = character;
        string returnString;
        while (value > 0) {
            if (value % 2==1) {
                returnString.append("1");
            } else {
                returnString.append("0");
            }
            value = value/2;
        }
        return returnString;
    }
    string convertCharacterToHex(char character) {
        int value = character;
        string returnString;
        while (value > 0) {
            int mod = value%16;
            if (mod<10) {
                returnString += to_string(mod);
            } else {
                switch (value % 16) {
                    case 10: returnString += 'A'; break;
                    case 11: returnString += 'B'; break;
                    case 12: returnString += 'C'; break;
                    case 13: returnString += 'D'; break;
                    case 14: returnString += 'E'; break;
                    case 15: returnString += 'F'; break;
                }
            }
            value = value/16;
        }
        return returnString;
    }
private:
    Logger logger;
};

#endif //GAMEENGINEOPENSOURCESTARTER_BINARYUTIL_H

Test Class

//
// Created by jason on 12/1/2021.
//

#ifndef GAMEENGINEOPENSOURCESTARTER_TESTRUNNER_H
#define GAMEENGINEOPENSOURCESTARTER_TESTRUNNER_H

#include "../utility/logger.h"
#include "../utility/BinaryUtil.h"

class TestRunner {
private:
    BinaryUtil binaryUtil;
    Logger log;

public:
    void testHexConversion() {
        string originalMessage = "Test Message 1234567Hi how are you test";
        cout << "Convert character to Hex test: " << binaryUtil.convertCharacterToHex('T') << endl;
        string testHex = binaryUtil.convertStringToHex(originalMessage);
        cout << "Convert string to Hex test: " << testHex << endl;
        string decryptHex = binaryUtil.convertHexToString(testHex);
        cout << "Reverse Hex to string: " << decryptHex << endl;
        if (decryptHex.compare(originalMessage)==0) {
            log.info("HEX Conversion worked successfully");
        } else {
            log.error("HEX Conversion test failed");
        }
    }

    void testBinaryConversion() {
        string binaryMessage = binaryUtil.convertStringToBinary("This is a test message");
        cout << binaryMessage << endl;
        char testCharacter = binaryUtil.convertByteStringToCharacter("00101010");
        int value = testCharacter;
        cout << "value: " << value << testCharacter << endl;
        if (testCharacter == 'T') {
            log.info("binaryUtil.convertByteStringToCharacter passed test");
        } else {
            log.error("Test failed character does not equal T");
        }
    }

    void testBinaryUtil() {
        testBinaryConversion();
        testHexConversion();
    }
};


#endif //GAMEENGINEOPENSOURCESTARTER_TESTRUNNER_H

Tested with MinGw and CLion from JetBrains

12.1.2021 Pt 3

not the only one having issues

Thank you to the government for all the SSI payments they made on time

We got a system that likes to deoptimize itself deeply in debt and trying to maintain a battle front on a war from 10 years back

Not the best optimization algorithm

stockpiling nukes and fostering an either or contrast algorithm, not always the most ideal setup

Make a country shipping radioactive material fight itself constantly?

December 1st, 2021 Pt 2

기타에 여러 노트처럼 멀티 스레딩

Multithreading like multiple notes on a guitar

메모링 스레드가 실행되는 동안

While the note rings thread is running

여러 스레드가 작동 할 때와 같은 코드

Chords like when multiple threads are working

6 코어 기타

6 core guitar

노트는 일종의 죄파처럼

Notes are kind of like a sine wave

파도 속에서 공기에 압력을 가합니다.

Creates pressure on the air in waves

점 0과 같은 스레드 시작

Start of thread like point 0

4초 후와 같은 스레드 끝

End of thread like 4 seconds later

If we were to DE magnify studio

Like taking a thread and stopping it early

Sequential thread

Take DMV Test

Wait in Line

Take Eye Exam

About to get license?

No

De Magnify

Like not being able to get to the point of driving the car

Garbage in the system, garbage out of the system carry through to students

Therefore Biden and Kamala might need more “experience and time”

Give a little more to get a little bit less of something else

Does JJRC appreciate people not being able to test their product?

Currently unavailable

Might be where Autodesk is headed if we can’t fund

2 broken teeth, kind of like Republican and Democratic parties

If I can paint to OpenGL by end of day

Please reduce prison terms by 1 day

If I can’t paint to Open GL by end of day

Please increase prison terms by 5 days and decrease giving to Orphans by 10% for the next 10 years

6 hours for a solution that helps save Orphans

Is Shiny Blue Marble up to the challenge?

Not sure how popular my blog is

Regroup at 1:00 PM to see if any progress has been made

Free Image, Some Adobe Flex Inspirations

http://flex.apache.org/

IntelliJ

A bit gray being able to find the build SDK

Going to give Eclipse a try, would have liked to use IntelliJ

Eclipse doesn’t run C++ out of the box either

Virtualize

Virtualize

Sell more hardware

Slow

Virtualize

Tired of that setup

Working a bit more on the engine

//
// Created by jason on 12/1/2021.
//

#ifndef GAMEENGINEOPENSOURCESTARTER_EXTENSIBLE3DFORMAT_H
#define GAMEENGINEOPENSOURCESTARTER_EXTENSIBLE3DFORMAT_H

#include <iostream>
#include <string>
#include <vector>
/*
 * 		<NavigationInfo headlight="false"
		                visibilityLimit="0.0"
		                type='"EXAMINE", "ANY"'
		                avatarSize="0.25, 1.75, 0.75"
		                />
 *
 * 		<Background DEF="WO_World"
		            groundColor="0.051 0.051 0.051"
		            skyColor="0.051 0.051 0.051"
		            />
 */

using namespace std;

class NavigationInfo {
    bool headlight;
    double visibilityLimit=0.0;
    vector<string> type;
    vector<double> avatarSize;
};

class Background {
    string DEF;
    vector<double> groundColor;
    vector<double> skyColor;
};

class eXtensible3DFormat {

};


#endif //GAMEENGINEOPENSOURCESTARTER_EXTENSIBLE3DFORMAT_H

Blender supports eXtensible 3D File type, figure will try to as well as is clear text form

Might be able to grab the class from Blenders repo

A plate is a plate

Mistrust builds mistrust

Free Image

Inspired by Skydiving Video, maze hedge gardens, Xaviers school from Marvel, kind of reminds me of the scene with cyclops, also reminds me of a golf outing with my Dad at a young age where I accidently hit him with the club

December 1st, 2021 Pt 1 PA

We want to make sure the administration really is “value added”, “truly value added”

$0 and an empty bag, “does show commitment”

Power is like drinking Sour Candy

“We can partner with them”

“Something that would uplift the competition, much more value in that”

Fighting demons not fighting the person

What kind of demons would a man from Scranton be exposed to?

Not certain

“Follow up” – Customer Service Video

“One more little listening thing, with one line make that a 6”

Free Image

Demon’s associated with a stroke of the pen

Never able to know if what you sign goes through

Cyber Security problems

I can appreciate that

Probably same thought for people using sign language

Virtualization in power, how to get it out? Sounds like a nightmare

Take actions, and never know if what you are saying gets through?

Have to take everything on faith is a bit frustrating, like saying gravity is somewhere between 5 and 500 m/s2 just trust

If 5 m/s2s fall like a nice pillow feather

500 m/s2s fall like and imploding planet

NASA Gravity is Gravity “that’s not scalable”

“Interact with the brand”

Something to consider while we throw stones at each other Russian and Chinese Space Programs thrive

Our greatest strength also sometimes our greatest weakness in my opinion

We value conversation and discussion, we also devalue deoptimization algorithms

I like conversation and coffee, game engine doesn’t build itself that way

Can I port C++ to Swift Siri?

https://www.jetbrains.com

Is really a big FU not being able to upload to Github, getting very tired of this, specially when my teeth are hurting, should put the people in Jail doing this

Really shitty error messages for not using pair class it appears on map algorithm, kind of sad not more robust

class BinaryIcons {
public:
    string getExitIcon() {
        return "10000001\n"
               "00100100\n"
               "00011000\n"
               "00100010\n"
               "10000001\n";
    }

    string getMinimizeIcon() {
        return "00000000\n"
               "00000000\n"
               "00000000\n"
               "00000000\n"
               "11111111\n";
    }

    string getMaximizeIcon() {
        return "11111111\n"
               "10000001\n"
               "10000001\n"
               "10000001\n"
               "11111111\n";
    }

    string getPlusIcon() {
        return "0001000\n"
               "0001000\n"
               "1111111\n"
               "0001000\n"
               "0001000\n";
    }

    string getMinusIcon() {
        return "0000000\n"
               "0000000\n"
               "1111111\n"
               "0000000\n"
               "0000000\n";
    }

    string getTimesIcon() {
        return "1001001\n"
               "0011100\n"
               "1111111\n"
               "0011100\n"
               "1001001\n";
    }
    
    string getDivideIcon() {
        return "00011000\n"
               "00000000\n"
               "11111111\n"
               "00000000\n"
               "00011000\n";
    }
};

I provide some simple Icons

Free Image

Drone and Autodesk Tutorial in CEO restricted airspace

How do we exorcise DC’s demons?

Like a Gold Bar to the Kingdom of Heaven

Free Image
Free Image, All aboard!
Free Image
Free Image

Father “you don’t get to call me” a gold bar until you commit

The best predictor of future behavior is past behavior, Free Image
Exorcism and no market research?

Evil spirit into pigs

How do I make sure my kitten isn’t possessed?

Free Image

Probably a common problem for Priests

Sit back and observe their patterns?

This appears to be DC’s pattern

“Do those values line up with what you want” – Anna Akana from a world superpower and government?

My guess is both China and The United States of America need some exorcisms

Taiwan? Not my sweet little Taiwan

She is perfect in everyway

Is Taiwan flakey?

Seems like their drones work a little better than ours

DC really should see what turning me down

is bringing to the system

Such a grand investment in negative Aerospace

Like setting back NASA 5 years and giving a handjob to Bezos and Musk

The Democrats Patterns

Those values to not line up with what I want

As I do not want a frigid Vampire NASA Kitten

DC on the other hand?

Some might find the sentiment offensive

There government is turning the PG Customer Service to a Hand Job shit storm

Good excuse to remind people about fire codes

Maybe if I post it twice?

Like a frigid Vampire kitten

Vampire because surrounded by cold space

Frigid because space is kind of dark

Is contrarian valued in DC? Not sure a party with two systems appreciates contrast out of we fuck over Gingers from Texas sung in a duet off key form

Free Image
“Vital to judgement shuts down”

Not sure I like Anna Akana’s words even that close to Lew Sterret

Free Image

“Best predictor of future behavior is past behavior” not the best words for forgiving

DC did have since October 15th to fix my support network

Maybe the statement applies for DC

“Best predictor of future behavior is past behavior” not the best words for forgiving

20 years of making it harder on my studio

OpenGL and Direct X still not setup right, for Aerospace and other countries

People probably just go a different direction if they can’t use and depend upon the system

“Sit back and observe the patterns” OpenGL and DirectX divest, keep reinvesting in the system?

“Don’t judge them on what they say, Don’t judge them on your actions, trust their patterns”

“The best predictor of past behavior is future behavior”

Can’t trust them to let me run my drone, trust them to let me run the country?

Taiwan Drone footage works

Brazil Drone footage works

Why should I trust good old American Pie with the Penis shaped mini Skyscraper

If Duncanville was Capital, might have had many less world problems

DC could use a bit of humble pie

Financial Exorcism?

28,998,000,000,000 not sure how many gold bars worth of tears that would be to Wall Street

Imagine that is your account in your Penthouse

Then suddenly the light switch the water supply shuts down

Good idea to take out that much debt?

From a country that blocks the Church and abused Church goers?

Kind of like Dinner with a Vampire

Please tell me how the new content sells

“Don’t tempt or golden rule”

Can’t have both?

DC preventing me from having SSI, a big tempt

DC preventing me from having funds for shopping early while locking down my car

Not really the golden rule

“DC’s frontal cortex shutting down?”

Maybe she wants to be nice, she just can’t carry through

Love your enemy? Even if your enemy is offing people like Rick Rhoades left and right over a 20 year period while failing I have a dream by MLKJr?

Doesn’t lend itself too well for an algorithm for everyone, God is the mixer, doesn’t mean I don’t have some questions

Shiny Blue Marble did have a nice dress on last night

“Vital to judgement shuts down”

The cuteness quantifier

https://www.dictionary.com/browse/cute

adjective,
cut·er,cut·est.attractive,
especially in a dainty way; pleasingly pretty:a cute child; a cute little apartment.appealing and delightful; charming:What a cute toy!affectedly or mincingly pretty or clever; precious:The child has acquired some intolerably cute mannerisms.mentally keen; clever; shrewd.nounthe cutes,Informal. self-consciously cute mannerisms or appeal; affected coyness:The young actress has a bad case of the cutes.

Baby fat is kind of cute, 1983 to 2021 feel like we might need a treadmill

Possibly a Peloton?

DC is buying

I will settle for the Z023 and the Alienware iPad Samsung MSI update

Got a little distracted

https://www.dictionary.com/browse/quantifier “Vital to judgement shuts down”

Cuteness works against the frontal cortex

The Kitten > Frontal Cortex principal

The Cuteness Familiarity Heisenberg Follow The Phyfe Pattern

Everquest Enchanter meets Olivia Rodrigo meets broke 2021?

Not that tough for me, they turned off my October AC, and my AC in the summer

Therefore, I am not sure we should fund them until they fund me

What if they have to sign a bill to pay me

What if I lag their studio 20 years?

Just saying

Not sure this video wastes any Bandwidth

My poor poor frontal cortex

Combined with my poor poor network

Now in 16k

Samsung was just trying to look out for the network? How we are going to spin it?

Kind of true, kind of awful

Probably need 10G to run that network properly

Not Lalisa, still pretty awesome

Followers and rebroadcasts all bad?

Will it work with CLion?

Kind of reminds me of Gilfoyle

Might actually help, not fair to type cast

Tried importing directly into project

CMakeFiles\gameEngineOpenSourceStarter.dir/objects.a(TestRunner.cpp.obj): In function `glutInit_ATEXIT_HACK':
c:/clionutilities/gameengineopensourcestarter/gl/freeglut_std.h:637: undefined reference to `_imp____glutInitWithExit@12'
CMakeFiles\gameEngineOpenSourceStarter.dir/objects.a(TestRunner.cpp.obj): In function `glutCreateWindow_ATEXIT_HACK':
c:/clionutilities/gameengineopensourcestarter/gl/freeglut_std.h:639: undefined reference to `_imp____glutCreateWindowWithExit@8'
CMakeFiles\gameEngineOpenSourceStarter.dir/objects.a(TestRunner.cpp.obj): In function `glutCreateMenu_ATEXIT_HACK':
c:/clionutilities/gameengineopensourcestarter/gl/freeglut_std.h:641: undefined reference to `_imp____glutCreateMenuWithExit@8'
collect2.exe: error: ld returned 1 exit status
mingw32-make.exe[2]: *** [gameEngineOpenSourceStarter.exe] Error 1
mingw32-make.exe[1]: *** [CMakeFiles/gameEngineOpenSourceStarter.dir/all] Error 2
mingw32-make.exe: *** [all] Error 2

Adding the following before the include fixed the issue

#define GLUT_DISABLE_ATEXIT_HACK
A little lame to have the fire exit disabled by default in my opinion

https://community.khronos.org/t/gluiinit-atexit-hack/30277

https://en.wikibooks.org/wiki/OpenGL_Programming

Guess one way to let me save the day

C:\clionUtilities\GameEngineOpenSourceStarter\testing\TestRunner.cpp:18:21: fatal error: GL/glew.h: No such file or directory
 #include <GL/glew.h>
                     ^
compilation terminated.
mingw32-make.exe[2]: *** [CMakeFiles/gameEngineOpenSourceStarter.dir/testing/TestRunner.cpp.obj] Error 1
mingw32-make.exe[1]: *** [CMakeFiles/gameEngineOpenSourceStarter.dir/all] Error 2
mingw32-make.exe: *** [all] Error 2

Make me run around? Like chasing a cat is a nice way to say it

http://glew.sourceforge.net/install.html

Value in wasted time, not sure I want to be training Alexa and Siri with that algorithm

America delivers garbage paychecks to teachers, winds up with garbage in the system

Make everything a defense law problem

Kind of lame as hell

Make that my issue should return the favor

US Debt more than just financial

A personal touch

Garbage in the Pentagon, garbage out of the Pentagon

Not sure The Pentagon wants to play second fiddle to everyone always

Supreme Court and US Legal System really should be less of a rape all other industries affair

Obfuscate the draw command? If you truly supported it basically like taking and breaking all childrens’ No. 2 pencils

Father please have the Vatican show me what is up on this one, why did they get away with that? In Christ’s name I ask this

Basically anyone that obfuscates or has helped obfuscate the draw command belongs in Lew Sterret, in my humble opinion

A system basically designed to rob food from children’s plates

Leave others under the bus for our own AC?

Second fiddle my life for being born into a military family

We’ll call that 1983 to Nov 30th 2021

Now with Some December 1st, 2021 in the mix

Want me to turn up the system?

Give me a system worth turning up

If a Bible movies render cycles are stolen

Hypothetically speaking, would that mean more people or less people saved?

Greater persecution greater reward?

Or more people saved greater reward?

If it were me I would personally say more people saved

Both have value

Kind of Luke Warm on that one

Like a Drone where I can use the flashing lights and cameras but not the propellors

Father please attach the success of others Aerospace programs to the proper functioning of my own, In Christ’s name I ask this

Please stop fucking over my renders and my systems

Being born in The United States seeming less of a blessing these days

Course the way some of the contracts are worded not sure how the rest of the world feels about software from the states

If my son or daughter was growing up in another country and didn’t have access to a No. 2 Pencil, or the cyber equivalent, I would be pretty pissed off

Not even a different country, it is that way in our own

If your going to be bad at something, start at home

Not the best algorithm

If home doesn’t actually provide

“To protect home and family”

Yeah right

To protect bank accounts and greedy bankers

So much to ask for a simple paint method?

Not sure I should like content from any of these companies when they are kind of fucking students

To the people disabling my fire exits by default, not very cool

Rabbit holes for future generations, time for a change

We will call this the shit modifier

The litmus test for are teachers being protected

Race conditions and thread locks for our country

Basically the Education System has an STD

And people wonder why I devalue what others say

Please sleep administrations contribution for 1 year in Lew Sterrett for disabling my support

In order to achieve that I will put this code in an infinite loop for God to give justice

Or we could add an interrupt

Where my support is not set to $0

Not sure DC appreciates interrupts

Think I will just run C++ multithreading updates until someone on Shiny Blue Marble gives me an update that makes it easier to use paint and OpenGL on CLion

People working at JetBrains?

They might appreciate funds, another example of DC’s failure

Autodesk, Adobe Creative Suite, JetBrains, Garage band and Final Cut

If Azure and GCC was working right, this wouldn’t be an issue

24/7 support? Shiny Blue Marble has a lot of developers

Can’t make a simple paint method?

Pre December Update 2, 2021

1 hour and 23 minutes could change my life

Turn down customer service?

Market research of who had the best customer experiences where and to what level

Under a non oppressive system

That data would be worth a ton

Fostering an inviting environment for new mothers

On a global scale

Simple problem?

Seeing this video at 5 years old

How would it effect the brain

Seeing it at 10

Seeing it at 15

Seeing it at 20

Maybe we could get responses from people on that

at 30

at 40

at 50

People at different ages from different situations pick up things in different ways

From the smallest rain drop to the 110 year old 99% of the way to taking the elevator, Shiny Blue Marble has information and a story to tell

If I had really bad experiences at the places I visited

Would I listen?

I have had some bad experiences, doesn’t undo all the good times at bars clubs and restaurants

kind of rude to say everything was practice up to this point

and at the same time Lew Sterret and Jail with a failing support line is pretty terrible

“All though we may not verbalize that”

“That just stop coming”

“They don’t complain, they just stop coming to our establishment”

Maybe how Angels feel

Maybe more visits if we were nicer to each other

Bender, you scared away all the Angels

“It cost 5 to 6 times more” OpenGL in CLion?

“How is it serving them” like an AscII Art Logger for Marvel

Not disrespect to ASCII Art enthusiasts

Just prefer my Blender Renders having water pouring I can depend upon

Maybe I need to help with the User Interface of Blender

Not sure I should trust a base that has let it get this far

Might need a new Engine

Build in a little mistrust not ideal

Maybe it was a bad build that was hacked, not check summed

Add $0 in with it, think a big more

Nailing a man to a cross, “considered non guest friendly”

“Do little things matter”

“Slight indiscretions”

Wrecking the support network of a Veteran’s Widow?

Would have thought that to be more than a small thing

“Paying attention to details”

“Some damage done”

“Little things that matter”

“What are some things that you can do”?

The adminstration is the ! of phenomenal

“Exactly, that’s exactly right”

Maybe they just don’t teach customer service in Joe Biden’s hometown

Scranton, Pennsylvania

Market research might help bridge the divide

Maybe someone used the busen burner on his door handle?

Who can’t relate to that

A veritable Duncanville of the East

Population 76,000 to our 40000

The bulley

Not the 1.5 Billion Chinese with the leverage on the card

Bulley people they start looking for help at NASA and The United Nations

Useful for typecasting

Thought listening to The United Nations would increase my net income

Appears to have left it set to $0

2022 Bad Customer Service for United Nations?

Would prefer an amicable solution instead

Leadership might experience some Turbulent vs Laminar flow combined with health problems

I wouldn’t put it past the space bouncer to throw a few curveballs

How far is Scranton from Philadelphia

Would have thought a man in power from my Dad’s home state would have added rather than subtracted value

1983 to 2021 Haven’t fixed the debt

Blame Clinton with all that? not really fair

Blame Bush with all that? not really fair

Blame Obama with all that? not really fair

Blame Trump with all that? not really fair

Blame Biden with all that? getting a bit tired of making excuses

30 year old gin with some Airborne Pure Vanilla

Trying to fix infections in teeth, not simple

Could be more haptics

The true evil of biotech

I don’t really like what they are saying

oh that is so sad, your teeth hurting

And then someone pulls out the filling

They buy a 50 cal dessert eagle

and put gas in the car

Makes for a good movie

Trying to warn people against misusing tech to destroy lives

Raping support lines by lying on specifications not cool

Blue Marble gets what it puts out

and at least in Texas been putting out the wrong vibe

Want me to run, fuel me with Nicotine Gum and some hot girls from black pink airline stewardess or similar

I’ll half bake your renders for you, maybe fully bake them with some help

Could the country appreciate a single rockstar President?

With an Icy Blue Ginger Kitten in the oval?

First Kitten, at least in Duncanville

I would expect my open source project to be fully functional by the time I was out of office, preferably with my own NASA Spaceship to joy ride around in

First fix the nation, then surround Alpha Centauri with Solar Panels

A perfect plan

Get in, fix as much as you can, inevitably break some of the wrong shit, get out with nice cool space air conditioning

Independent run in 2024?

Maybe with some medical support

Do people appreciate honest candor?

There are worse things to do with your time for 4 years than running a slice of American Pie

Don’t like what I have to say? Glad to know that earlier in the process

Could I guarantee people are getting helped? Or would it be sweet sweet lies?

This is me, love me or hate, this is me

Someone that feels like that

Then is robbed of it not very cool

Kind of like having your support network set to $0

Maybe Biden is training his Red and Blue possible future branches

A bit wise to hedge the bet of 300 million people

How will they act when the support network is set to $0?

“Frankly I am really pissed off”

I care about Claire, Macy, and Emeline, but I also care about Freedom of Speech and a non pastel studio for Shiny Blue Marble combined with less artistic oppression

More firecodes for prenatal wards, and then throw the guy in prison?

If they were my daughters in a burning building half way around the world?

If I say I would help them, the world might extort me

What if I do care about them

What’s it to you

Not sure a grown man would fake tears, they are kind of built for that

Marcy
Jill

What is the value in 0.10 cents

Combined with billions of dollars of surveillance and amazing wings

I do not believe Brillante Azul Marmol was setup in a fair way

NASA Care to comment on 2014 to 2021?

What better way to than to show up early with an obscure answer

Like God with Kitten tech

Marcy a hot customer service rep

Jill an unknown quantity

Crysis 2 PS4 and Samsung 3D? not sure people appreciate what they were missing, either one could have had a date

They might not have appreciated the complication

2x and 2x me? kind of a messed up thing to do to a guy who got drugged with LSD in Oregon

The research was valuable?

How is Chaiwan and Taiwan working out?

People like the asshole better? not quite what The President was going for in 2021?

The ladies thought you were “perfect but useless”

2021 Loud and clear

They might not appreciate the way I am spinning it, luckily since they chose not to invest, they can’t stop it

Father please make sure they can’t stop this post from going live In Christ’s name I ask this

People need to understand

“Are you evil, are you a monster”?

“Because our country… and you must clutch them nice and tight, or we all go boom”

Free Image, They Zig, I Zagg

Maybe more valuable for the current situation

“Perhaps there is a better question”

Just a stick with nail on it right Kodos?

Is the guy that loses valuable to the system

Do you like fights with 1 candidate?

Black and White contrast with only Black or White?

“World peace”? “Lisa that was very selfish of you” – Simpsons

Nice South Korean Banner, forces the world to be a little humble about it

If the world wants me to be a celebate nun that eats Ramen noodles from 2024 to 2028 I will make that sacrifice

Not sure the guys not getting laid always make the best decisions

Take a vote?

“Your input is required” Dangerous words from a dangerous man

I wanted a video on Voting Booths
void Resonance::printResonance() {
    Christian baptism; // H Saint is BC
    log.log("Resonance\n"+baptism.getCross());
}

Them hurting does make me feel a little better

Wrong to say?

Can Miss Larson be trusted? Can Fox News be trusted?

History

A beautifully terrible thing

“In constant sorrow all through his days”

typed to the rythm of a train, do the readers appreciate things to the same level as direct intel?

God like 5000 Lytros? put one past him?

Celebate nun not that cool, hitting every woman in town at the same time causes logistical issues

“perhaps I’ll die upon this train”

Oppression in the Public Domain? Maybe I will turn up the legal fuck you to the system in the form of disclination laws

Free Image is powerful

Appreciate it

“He’ll meet you on God’s Golden shore”

Not sure my painting is any different than the song or the movie

My image is free, is inspired by the song

Free Image

How would an IP Law attorney H Saint is BC?

Maglev train, can’t copyright the number 6

Golden Shore? or Yellow Sea?

That Sun kind of looks like an egg, not sure he learned that from the song

“Experimentation requires research” Right Miss Larson?

A broken heart in the clouds, a way to relate? or a man of constant sorrow?

Can’t be both “a place where he was born and raised”

The rocks and rings at the bottom kind of remind me of CERN, no influences there

“He has no friends to help him now”

The Maglev is not as pretty as I would like “Perhaps he’ll die upon” this Simpsons reference

“Monorail, Monorail”

“You can bury me in sunny valey, many years where I may lay”

Sunmi vampire intro?

A lover of shade and working teeth, better keep an eye on that one

The first collaboration of anti Jason Pea

The first collaboration of anti Jason Urine

Liked playing Hockey, System was built on Checks

Too much Maple Syrup at a young age

Silent guy fighting demons by writing on blog

“It’s all been done before” – Avril Lavigne

“Why you got to make things so complicated” – Avril Lavigne?

Because I need food on my table

Because I need new processors in Sierra Fugaku

Because I don’t want people dying in Lew Sterret with failed dreams, no big deal?

Trying to provide content in the right way, not sure exactly how to do that with a non sequential instruction set

Field of Blood Ice Cube?

“How cool is that?”

https://www.dictionary.com/browse/sincere

adjective,
sin·cer·er,sin·cer·est.free of deceit, hypocrisy, or falseness; earnest:a sincere apology.genuine; real:a sincere effort to improve; a sincere friend.pure; unmixed; unadulterated.Obsolete. sound; unimpaired.

Make Mia Rodriguez think I am sincere about removing her Hypothetical Panties letting out prisoners from Jail?

“explore that develop that” – Customer Service Video

“We do think in terms of pictures and visuals… I would encourage us to explore that… work on practicing that… benefit without having to work hard at it…. pay off is incredible” – Customer Service Video

“Please and Thank you at all times…. No Problem”

“Yeah of course I do”

Think I can get away with just tantalizing a lady one night a week?

“That shits always free… yeah of course I do”

Shit to Sparkle

Burning Chinese Natal Wards to Sparkling Hot Ladies and Peace Circles

Simple algorithm, how do I get everyone onboard?

Maybe not all appreciate the level of contrast I use to paint the non pastel picture non pastel

345 just a couple numbers you don’t need in the subset?

Like a missing OpenGL and DirectX library in my toolset, in the toolset the product tester relies on, the toolset the developer relies on, the toolset those that will be changing cathidars late game will rely on

Call me shit, serve it to me, and I should A call it out? or B say it Sparkles?

Add Oppression and beatings to the mix, then what does he say, how long does it take him to say it

People that test me like that, kind of a billion dollar Shiny Blue Marble don’t have kids Peace Keeper mission bitch

911 Inspired
911 Inspired

Maybe 2050 someone will be writing one that says

Chaiwan inspired Chaiwan inspired

China just invaded a little airspace

Rebels just kind of took over the plane

Jason just kind of bought a butterfly knife

The CRJ algorithm as it is known in 2050

Accelerate the good, the real good, “the kind of song that saves”

Diminish the evil

Christ says it better than me

Best to know when you are bested

Could God theoretically turn up my power greater than Christs? not sure I would appreciate the cost that comes with that

Ninja with a planet splitting sword?

Free Image

Not sure if this will inspire anyone, a man can hope

We need to work on anti barb wire tech for angel wings

Angels fighting demons in hell seems like demons might throw up some razor wire

Can’t have the wing sauce escaping on us now

First we research the competion

Father please bless this blog in a way that saves demons that read it, love your enemy

Designed for Jugular reduction surgery
Puppy Cat wings getting tide up with razor wire

Not very nice

“Extremely dangerous, possibly lethal if touched”

Nope, not good for my angels

Razor Wireless any inspiration here?

Like clips for Razor wire, Razor Wireless

NI55SF The Stamp Mean Anything?

Image disconnected from words, happens more than once

Top of The Line Always Gets you There, Free Image

Top of the line always gets you there and demands aren’t meant to be reasonable

Alignment kind of messed up

WordPress User Interface Developers could probably use a raise

Less on my SSI carry through to no payment for them probably not ideal

Broken support lines equal no longer can center? I like what they are selling

A bit of an archaic way to say it, might liken it to a printing press

with a broken lever on the type writer

like typing on Lava

can’t use the k key any more, why don’t you llke what um sayn ny more?

The missing key, the I key

What is the difference between an Eye opening Epiphany and a Non Eye opening Ephiphany?

What about compounding Epiphanies?

Like Epiphany C4 if you will of grace and love

noun,plurale·piph·a·nies.(initial capital letter) a Christian festival, observed on January 6, commemorating the manifestation of Christ to the gentiles in the persons of the Magi; Twelfth-day.an appearance or manifestation, especially of a deity.a sudden, intuitive perception of or insight into the reality or essential meaning of something, usually initiated by some simple, homely, or commonplace occurrence or experience.a literary work or section of a work presenting, usually symbolically, such a moment of revelation and insight.

https://www.dictionary.com/browse/epiphany

We will call the link the landmine, if it provides the same data, we will consider it a reiteration of the term epiphany, free lesson, if it provides different data due to server outages or nefarious counterparts we will consider it a lesson in the value in redundancy as well

I generally remove SEE MORE from my definitions, kind of annoying to have to add that to everything

for (i=0; i<infinity; i++) {

Apologize for prejudice against SEE MORE enthusiasts
Apologize for prejudice against Jade Mineralists
Apologize for all jade added to Shiny Blue Marble
LukeALantern
Curveball

}

The content butcher won’t let us see more Matthew or Revelation

Marvel is what you ordered Marvel is what you get

Is a hot piece of American Pie, “entrée not quite as good without something on the side”

“Loving it” – Mia Rodriguez

Does beat Pastel, any studio non stop lacks diversity

China probably can change pretty quick though

Maybe with a little more funding

2020 is a little bitter sweet

Time should be more of a benefit less of a tooth/headache

This one’s purple hair scares me a little more

On the other hand

That could endanger her

Under accessibility things change

Under Cybersecurity problems and inebriation things change

The bitch from Revelation? could likely get someone killed by a fanatic, I believe in God, I also believe in accessibility, that book not all good for me, definitely a reminder I don’t control everything

If a woman with purple had a gun to your daughters head, would you stop her? If it meant labeling you in a way that you could never fix while on Shiny Blue Marble?

“The love that cuts you deep” – Mia Rodriguez

A useful tool for removing people, I appreciate Luke more than Revelation
Doesn’t mean Revelation isn’t or wasn’t useful at the time

Basically Bible says Purple headed girl is Lady Sylvanus if she decided to put on the Lich Kings Crown

That contrast is like saying she is Lorena with a Butcher knife

If purple was a metaphor for power, and war was what she was selling

Kind of makes more sense that way in my opinion

https://www.dictionary.com/browse/metaphor

noun
a figure of speech in which a term or phrase is applied to something to which it is not literally applicable in order to suggest a resemblance, as in “A mighty fortress is our God.”Compare mixed metaphorsimile (def. 1).something used, or regarded as being used, to represent something else; emblemsymbol.

I also wouldn’t put it past a master of Universe from making it fully literal at some point

Hopefully that day is far away

Black hair does not equal purple Hair

Words Changed in Bible Printing Press? God knows how to change thing, Prayers change things, a bit of a confusing mix

Add curve ball prayers to images years in advance?

I could believe it, 6 different plane photos, I chose NI55SF how does that change things for me? God knows some things I don’t

FF-773 Didn’t win tonight

Imagine if you will being an underfunded republican during the Kennedy years, speaking up against problems in the system, then Kennedy gets assassinated. Like you can’t win, try to set things right then the world gets in the way of doing things the right way. Jading

Laminar and Turbulent flow changes history, not always for the better

$0 for Jason Lee Davis in 2021, please don’t attach a bullet to that, also please don’t leave him with nothing

I hate the useful part, is that messed up? $0 as a control mechanism is useful, don’t like that. A bullet and a sniper rifle as a control mechanism is useful to terrorist, I don’t like that. Drugs and Manipulations are useful as a control mechanism, I don’t like that. Jail and Systems of Oppression are useful as a control mechanism, I don’t like that.

Can’t really get away from useful entirely

A hammer and a nail, a sweater, keeps you warm in dark cold days

Oppression is no sweater, breaking peoples teeth for speaking out, is no sweater

A Right and a Left Side to that argument, kind of feel like both sides apply to both political parties right now

If I am being completely honest

The system kind of sucks in 2021

Biden wants a tank, give him a boat

Biden wants a drink, give him a cheesecake

Biden wants a cheesecake, give him some sour liquor

kind of sounds familiar to what is being served me by the system

Doesn’t really lend itself to the actions of a Christian brother

Pontius Kamala Piden

Is this the VR headset?

Nice 8K resolution, would be nice to have some 2022 content for that, can we compromise?

To a solution that doesn’t leave my purchasing power at null?

“I will pay you as a figure of speech”

Hypothetical currency?

Not sure Siri accepts that any more

Pre December Update 1, 2021

Hypothetically I could put anything here

Maybe a small reminder of the power of words

My good theophilus

In the size of one YouTube video embed

“You lack leverage”

“Likewise” a lever, the power of levers, small words change giant ships

“Perfect but useless” – Far Cry 6 Trailer

The power of first words in a video? Not sure I truly took the dark content of Ubisoft seriously, No Blizzard, No Bioware, No ID Software, No Marvel X-Men Fatal Attractions, people become Jaded to old world content at times

Forza pretty hot, no Asphalt 9, Asphalt 9 no Forza 5

The world better with less amazing 3D races around virtual tracks making driving skills better? I think not

Snowboarding game pretty cool too, therefore

“Now you join the ranks of the ascended”

Now about my Engine, can people get on board with a little more?

An anti 3D modeling update? Possible, one way to reduce people you don’t like

I enjoy both playing and watch other’s contents as well as making some myself

But $0 FU from the system “You have to answer for your crimes”

Supporting Freedom of Speech and less broken Asian’s heads?

That update was a little pastel for me, luckily I have other options

Any Red Bull Vail Videos With a Vuze Camera? Would have been with enough funds

“There is still time”

2022 Jason, Tell me how I did

Assuming The Nightmare Before Chainwan doesn’t take me first

Like Ads and the Frames beneath the video always changed to the non action scenes

“What did they do to them?”

Pastel nunned the sweethearts

Beats Pretty Savage with a Butterfly Knife

A skyline appreciated 100 years later?

Not sure that is possible

Free Image, just downloaded from Twitters Servers

Twitters Data Centers GCC or AWS? Possibly Azure?

“Proprietary?”

Maybe Mia Rodriguez could get me the intel

Trajectories and Turbulent flow

A legal system really should practice what it preaches

I would say do as I say not as I do is kosher

but then think about Rick Rhoades

Stockpiling nuclear weapons” while wrecking the engineers trying to build bridges?

Didn’t say she was a logical billion dollar bitch

Baroque Music and Africa’s Ports, I can see a potential issue

Might should call 1983 to 2021 leaving the toilet seat up with no TP

The future will probably say the same about our generation

At least Teddy Roosevelt gave some good words, even if not all good

History is complicated, et tu brute? The man in the arena?

Part of the problem is we love Epics

Not sure I like the idea of a pastel world without storytelling

Who doesn’t like an Off White Cadillac?

This wasn’t the song you were looking for?

Hindsight is 2020

More funds, less of my face being bashed up against a jail cell wall, more polynomials and render cycles, less haptic rape, more beautiful women and Yatchs

A simple man that doesn’t feed the problems one bit

That has an appreciation for contrast and imperfection

So much discrimination against Brunettes these days

ASMR Sounds kind of feel like rubbing parts of my brain

Wonder how they feel to people with accessibility problems

Really cool for sound production ideas too

Had some issues turning up my Alesis with Aria and Finale

A bit of an issue saving, a bit of an issue with the MIDI keyboard not resetting properly, a bit better support with iPad 2020 in early 2020, less as time gets into 2021

Do people ever dream innebriated?

Kind of an interesting question to ponder

On the other hand

Ever Glow

헤이터를 위한 시간이 없습니까? No time for haters?

하나도 안해? Not even one?

일부 조립 필요 Some assembly required

캐노피를 보면 미술에 도움이 된다 Looking at the canopy is helpful for art

신이 바닥에 파란색 선을 사용하는 것처럼 Like the way God uses the blue line at the base

레드에 이어 Followed by Red

오렌지에 이어 Followed by Orange

하늘색 그릇에 떠내려가기 전에 Before rifting off into the Bowl of light blue

모두 멋진 백라이트로 All with a nice backlight

A fiery red filter Diablo Sky diving?

Not sure I have any sky dive footage remaining, if it were my jump I would want to be rolling at Full Resolution

Maybe if I invested more in world peace and world leaders a little earlier

“I don’t like it nobody like it”

What do I have to do to get an 8K Samsung that actually works?

Possible for me?

Or should I just roll with Red?

I know Siri could do it, it is the principle

I was promised a Date with Bixby

For people to understand my dating predicament and my technological predicaments

Alienware and a Canon?

If Smart phones do it all, will people really buy the others?

A world with less Fujifilm, Canon, Blackmagic, and Red

Not sure that is a world I really want to live in

Samsung planned ahead? Maybe I should have too?

I am trying to make international peace with these beautiful Korean ladies

And Samsung feels they need to interject?

She is a bad tablet, and a hot one too, all those Huion Sketch Tutorials don’t come free

My Vizio, broken 😦

When Lalisa shows up with 8K Red Camera or Red Camera Equivalent I will consider
“요구는 합리적이지 않다”
“Demands are not meant to be reasonable”

Not a bad sentence to describe the video

Shiny Blue Marble just wanted a little bass for her dress 1983 to 2021

Is a pretty hot dress

Or possibly a carpet

Or possibly a building

Being a free image

If could prove useful

Does make me miss some Sunset Fajitas and a Nice Lime with my Coke

Service industry might could use some help too?

Not the Mi Cocina I remember

#include <fstream>

class fileWriterUtil {
public:
    static void writeFile(string filename, string message) {
        ofstream fileToWrite(filename, ofstream::out);
        fileToWrite << message;
        fileToWrite.close();
    }
private:
    Logger log;
};

Free file writer utility for C++

For the specification so far I have

#include <iostream>
#include <vector>

class CN2ImageHeader {
    string Name;
    string Description;
    bool Oppression;
    bool FreeImage; // for those not hurt each other or starting wars
};

class imagePixel {
    int alpha;
    int r1,r2,r3,r4;
    int g1,g2,g3,g4;
    int b1,b2,b3,b4;
};

class CN2ImageSpecification {
private:
    CN2ImageHeader cn2ImageHeader;
    std::vector<imagePixel> imageMatrix;
public:
    const CN2ImageHeader &getCn2ImageHeader() const {
        return cn2ImageHeader;
    }

    void setCn2ImageHeader(const CN2ImageHeader &cn2ImageHeader) {
        CN2ImageSpecification::cn2ImageHeader = cn2ImageHeader;
    }

    const std::vector<imagePixel> &getImageMatrix() const {
        return imageMatrix;
    }

    void setImageMatrix(const std::vector<imagePixel> &imageMatrix) {
        CN2ImageSpecification::imageMatrix = imageMatrix;
    }

    int getWidthPixels() const {
        return widthPixels;
    }

    void setWidthPixels(int widthPixels) {
        CN2ImageSpecification::widthPixels = widthPixels;
    }

    int getHeightPixels() const {
        return heightPixels;
    }

    void setHeightPixels(int heightPixels) {
        CN2ImageSpecification::heightPixels = heightPixels;
    }

    private int widthPixels;
    private int heightPixels;
};

How fast is standard vector in comparison to chars these days?

Will she work for video Sierra Fugaku?

In my game engine I can run a mix of a 32K Lytro setup

Kind of like a solar panel in the 70s? Too many Oil companies?

Wonder if any of these are still available

Might be like the Camera Apple always talks about

Leica I think is the name

Lytro to Crystal Platform, as Leica is to Apple?

A tech company has a lens

A microchip

“Direction color and intensity of ” life

it cost over 6 trillion dollars and by the first time the system got to market

“Reviews were again mixed, never gained adoption from mainstream photographers” – Lytro Video

Jail “made tweaking lightning composition and colors in post production extremely difficult – Lytro Video

“This was just the beginning of computational photography”

Same guy months later, can’t we get him a trial?

Why’s it always got to be about him?

People in Jail

Like Diego with a Lytro

I might enjoy helping turn up some people post Jail

If I was better funded

Investment requires investment, no wonder there are so many world problems

If I lead, housing, food, and a whole lot of artwork

Sitting in Jail? not with all the painting you’ll be doing

Anyone being released on Dec 1, 2021 from Lew Sterret?

Anyway we can turn the group up a little before hand tonight?

Father please bless and protect all prisoners being released on Dec 1st, 2021 tan(4xyabc)^quadfinity with the capacity of a 100 ton crane and a 200 kVA generator multiplied by all space programs on earth and combined polynomials of Sierra Fugaku

And Please turn up their support networks double

For the combined photons for every nanosecond spent in Jail

With the combined power of Matthew from 1 AD to 2021 AD

A Matthew 7777 Jackpot if you will

If They were my Korean Mega Beauties

The balled cold guy gives a bit of bass
We need some tree updates stat

Bowling Greene vs Dell Factory?

MSI Samsung Alienware Powered Z06

“A wise man who built his house on a rock”

MSISamsung and Apple
Alienware2023 Z06
“For what you want men to do unto you do unto them”

Not sure it makes up for all the pain and suffering

Columns seem to work better than tables at least from my current thoughts on WordPress

Imagen de inicio gratis, inspirada en Texas y Denver Sky

무료 스타터 이미지, 텍사스 및 덴버 스카이 영감
Free Starter Image, Texas and Denver Sky Inspired

Nice open road for Bikes

Nice giant sky for Alienships to break through the clouds

People in Jail like a defective part

Left in while public looking for a refund

Required looping it a few times for me to pick up on it

Therefore I provide again for readers

Maybe if I listen long enough I will figure out how to make the public show more love to those that get out of Jail that were wrongly imprisoned and had their support lines cut in the first place

“She might be able to assist, therefore I provide”

Defense Law not my specialty am still trying to help

Oppression causes Toothdecay

Need some fluoride with that

Maybe MSI and Alienware can help give Washington correctly level of bass for turning off my SSI

Tooth pain after Jail is Bad, Bad as can Be

If it were me

And If I wanted DC to respond, would I send them a video buy that guy

Or would I try another route?

Removing SSI is “Bad, as Bad as can Be” – Jenny Music

Olivia Rodrigo is pretty sweet, should I listen? might be bad for teeth

How do I make a fun Accessibility video?

Burning Prenatal Wards?

Have to pick up a baby if walls are falling with fire

They try to get out, and the accessibility ramp doesn’t work?

Dark Knight 2 Face for how women have hurt his soul

Who did that to you puppy cat?

Free Image

Need to research the content if we want to turn it up

Guys stuck in wheel chairs and we are putting delays in on purpose?

People do like cats to chase

Even the accessibility need to have something to work towards

Kind of like being half way across the world

and can’t pick that up

Like watching from the space station, yeah they are on the street

I don’t have extra funds, if I did would the system even let me actually get them to them

“You look like you could use some more” – Blackpink KDA

11.30.2021 Pt. 2

https://www.section.io/engineering-education/extending-classes/

for (i=0; i<garbageOutOfPower; i++) {
  Garbage and Unfit for office
  SeekAndYouWillFind,Garbage out of power,            SeekAndYouWillFIndKnockAndTheDoorWillOpen 
}

I fucking hate the people that did this to me

I hope they realize that

The paradox of robbing and raping me, there will be consequences

Have a nice day

Power may be made in the image of God, sure don’t look like it from where I am standing right now

More like child’s play

Mideval times making a grown man lose his job then send him home to live with his mother and then rob his only resources, make the combination be the ruin of your houses

Like hanging me upside down and putting a saw blade between my legs

a little forward, a little backward

until they are cut in half

Foot stool, their ruin will be great, or they could just pay my ass

I guess all this reduced progress is “worth it”

When all the progress of those reducing progress are no longer an issue, them out of office will be “worth it”

Government Error, failed to provide support with enough funds to use Google Drive, WordPress doesn’t support feature, therefore free Open Source project that would increase hardware sells limited by garbage in power

Have a nice starter project in C++ for a game engine that could be used for User Interface apps as well

Plan to open source it

Wanted to throw it on GitHub but being blocked

Government into teach people to rob orphans?

Could be the next Autodesk? 8 billion people and redundancy in systems not appreciated?

Could be an integration point to help make money for teams, increase sells

Contributions from Gingers that like NASA in Texas, not like he is Carmack

Names Jason, we don’t appreciate red heads with hockey masks in this country

Names Biden and Abbot, we don’t appreciate garbage that drags their feet and hang people in power, at least in this small part of Texas

One contrast setting more fair than the others, fair in the end? just pay me

Such a beautiful thing, like Biden and Kamala rolling cow dung out their administration in a continuously reiterative fashion onto the American flag, like a shit engine

Cow patties just keep flowing, better than being stopped up? to a point

Maybe administration is being fed non stop laxatives? too much clinching?

Be sad if they didn’t have enough TP, kind of like what happens in an under supported Jail

Oh they “kind of liked” me being in Jail

Allow them to do that to me? “perfect but useless”

My account and a non Negative value

Two essential parts

“and you must clutch them nice and tight”

“or the green party Gop will be your legacy”

2042 many broken Autodesk employees later

I am glad we can put that behind us

“But I didn’t know there would be a 2042”

Important to plan ahead

Provided the file and MIT don’t kill people “license” spec on Azure Cloud OneDrive, feel free to make the connections I can’t, enterprise integration you can’t count on

1 Puppy Dragon or 1000 Azure Puppy Dragons?

Free for port to other languages Swift, HTML5, Python

Free for updating Blender where useful

Free for updating Autodesk where useful

Nice ASCII Resonance Cross in the mix too

Hopefully this will help create some sparkling crystals

If there was one image File type I should implement in 2021 what should it be?

JPEG and GIF seem a bit advanced

Is PNG compressed?

Lossless I like where they are going with this

https://en.wikipedia.org/wiki/Portable_Network_Graphics

This algorithm appears to have let Gingers be left under the bus

Maybe better to roll my own

I hope this makes sense

Maybe the CrystalNov2021 Format better?

CN2 file type

[Header]

Name

Description
Oppression Boolean
Free Image Boolean

[RGB]*width*height

[Digital Signature]

Code Excerpt from Library image.h

//
// Created by jason on 11/30/2021.
//

#ifndef FILEREADER_IMAGE_H
#define FILEREADER_IMAGE_H

#endif //FILEREADER_IMAGE_H
#include <vector>

using namespace std;

class imagePixel {
    int alpha;
    int r1,r2,r3,r4;
    int g1,g2,g3,g4;
    int b1,b2,b3,b4;
};

class image {
public:
    void setSize(int x, int y);
    vector<imagePixel> image;
private:
    int sizeX;
    int sizeY;
};

Latest addition submitted for review

class imageHeader {
    string Name;
    string Description;
    bool Oppression;
    bool FreeImage; // for those not hurting each other or starting wars
};

Free Open Source Code

class image {
public:
    void setSize(int x, int y);
    vector<imagePixel> image;
private:
    imageHeader headerInformation;
    int sizeX;
    int sizeY;
};

Maybe there is some great logger out there

Nightmare before Chaiwan kind of makes me distrust everything

basically 1983 to 2021, government just had to keep pouring the jade sauce after jail

I do not appreciate the increased fuck you at Christmas time Shiny Blue Marble

who ever decided it was a good idea to make C++ write graphics to screen not a simple

writePixel(x,y,RGB) from a simple library, I think you equivalent with those blocking solar panels early in the equation

The worst part is the follow through

Father in Christ’s name make this process way simpler, unless you like breaking people’s pencil lead early on

Wants to write a word or a math problem on the screen

Fuck him out of it?

Is our society really this much garbage?

God and Christ could have fixed this at any point between 1983 and 2021 and chose not to do so? I thought He fixed the bug in the system, yet we let this garbage carry through to our children’s lessons?

A good excuse for not bringing new children into the world

Looks like to me

No other way to say it

Garbage

Absolute Garbage

Maybe that was the thought that sparked Java and Sun?

Then Oracle got greedy

Word peace or a Yatch

Maybe Ellison was labeled a Klans man and left at his mothers

Fugaku

Why does Ellison have a ship

And this Ginger does not?

Growing up in Chicago, better than growing up next to NASA for engineering?

Java and Flex, liked the product, have had issues with virtualization and cybersecurity, not sure how to fix that

Snowden Assange and Ellison

Query guys

Who founded Adobe? “Oracle version 2” if you will

The Raven pecking rice off the plate of Orphans if you will

Ellison inspiration for Futurama 80s guy?

Only one jerk from the 80s?

I might be nicer if there were less

“We had to replace almost all of upper management”

“Nobody wanted to go through that again”

“The future was incredibly bright”

Able to install when low on funds “order of magnitudes better”

Tech currently like Luke Warm Coffee

Still coffee, could be better

Alienware could help turn up the studio

We better turn that up before another Gateway

Could have been a stargate went with the cow dung model?

Some history left out of the Adobe Ad

Siri might have been able to say it nicer

Update wasn’t ready

Can’t write to screen in 2021 for Defense Attorney support line?

The picture is a giant piece of shit

Blocking people from writing their own apps?

NASA robbers to the right, Silicon Valley Robbers to the left

Basically looping a noose

The FBI has had a long time to fix this

NASA has had a long time to fix this

CIA has had a long time to fix this

Homeland has had a long time to fix this

NSA has had a long time to fix this

Marvel has had a long time to fix this

DC has had a long time to fix this

DC has had a long time to fix this

“Say what you will” “I think that shows great” weakness “on their part”

Don’t really want them to fall on the sword

want them to actually fix the issue, then hopefully children in 2100 won’t be miserable, planning 79 years in advance

If someone similar in 1921 wrote a letter

how would that image of a life look?

First the great depression hit in 2027

Then WW Chaiwan from 2035 to 2045 (didn’t fix it in WW Chainwan 1)

“I think he raises a valid point”

Students deserve the right to write pixels to the screen in 2021

Fuck humble opinion on this, students getting the shaft is garbage

In my humble opinion better that the Church not render that pixel there?

Sounds kind of familiar

Father please make sure that CLion can easily write images to the screen in C++ In Chris’s name I ask this

How long has United Nations been around

“If I need perfect I’m not good for you?”

A bit of an understatement

More like

“This aint” do right by children

“More school” and “less FUs”

If it doesn’t work, change something

Alive, but left at $0 with a giant national debt like a whale in the middle of the sky

Not good enough

Darkest before the dawn

Played out over 20 years

God said it in 2000

But why?

It only wise we ask Christ to explain himself

2000 years of the best massages Master of The Universe can buy

Get nailed to a cross can’t blame a guy for being a bit hurt

Purpose was to fix the broken law and show love and forgiveness

Not sure he would appreciate the half carry through by the public

I know they look like a child of God, still think their skin color looks a bit different

Not the wisest option

Judging people that took a little liberty with the script?

That is not the way I wrote the line try again, kind of beats 5 years in Lew Sterret

The tempts are getting worse, If the Vatican loved me it would stop trying to control my resources

It is not about the artwork

“No precedent and no playbook”

2083 to 2121 The Jason 100 years + maybe will be Chinese, may South African, May Trinidadian and Tobagonian

Hopefully they will have mastered anti discrimination tech for us all by then

“The needs of our planet were greater than they could provide”

I apologize to future generations for the randomness of my blog

Sometime fighting the lulls in underfunded oppression a bit of a random interaction can change things

Like there is a worm in my left temple combined with the government robbing my ability to buy Ibueprofen

Pain with out love

Pain can’t get enough

What DC is selling in 2021

Therefore Opium not that big of a deal to me, would be nice to live on a planet that appreciates updates to less pain

Would be nice to have the good without the bad

Why I like updates to medications

“Oh you have a tooth problem” in Jail? “That’s sooo sad, I am mister oogy boogy and you ain’t going nowhere”

“The reindeer can’t see an inch in front of them”

Glasses and Needles, must be 007

Oh wait

They were just diabetic

and we forgot to supply them?

They can wait a day for every hour I wait

More than $0 in 2022 a niche best seller

V For Vendetta, Jack Sparrow Style?

Crystal Dynamics

Maybe they do not appreciate statics

“This contempt for humanity, I am Razael” – Soul Reaver

Razael might make a good brother for Cortana

“The honor of surpassing”

“For my transgression I earned a new kind of reward”

Open Source

Only one possible outcome

“My eternal” enlightenment

“Unspeakable pain, time ceist to exist”

“The descent had destroyed me, yet I live”

Shadowlands ” you are worthy”

“Total dissolution” “The choice is not yours”

“You are reborn”

“Animates the soul you live in”

“I cannot spin them in the wheel of fate” “redeem yourself”

“This world is a prison”

“Ice crown”

“A monument to our suffering”

“The veil between” forward and backwards

“But no king rules forever” wise words for Autodesk and Siri alike

“Great restraint” we know the old world is “Perfect but Useless”

“You are unfit to wear ” this office

“To wield so much power”

“That power will your prison”

“This world is a prison”

Daddy issues rips off lich kings crown?

“And I will set us all free” – Blizzard Cinematic

“Drink”

Cybersecurity problems, NSA has me covered

“Death was never meant to be chained” to a noose

Homeland and Cranes? “Nothing lasts” “The great injustice” “The cruelty of fate”

Is kind of a perfect setup

Can’t afford subscription get to see all the artwork

Force me to go back to my mothers house, then label artwork I like “into the maw”?

Kind of a fucked up thing to do

To a guy right out of Jail

Go fearing, like both of these two coming after you

At level 1 with no firecodes

The crown as the game engine

As the new company

Because “this world is a prison”

Not quite, like the escape, don’t always like being locked in place either

Drone footage disabled

Kind of a bitch

“And we have all been set” !free

“She has done the unthinkable”

“Now she will come for them all”

“Break all that oppose her”

Because

“Our end begins” – Blizzard Cinematic

A nice said of Glaives “Of course I look good on you”

“I delight in the Irony”

The only good Epic storytelling would inspire others to write Epic stories

The cost?

One man into the abyss

2100 what will people think of this?

Probably like watching Sing Sing Sing

Being in “2021” myself I appreciate the update possibly a little more

Sing Sing Sing was written before “I have a dream” or “tear down this wall”

Sing Sing Sing had such a narrow vision

How will they feel about this video?

Probably parallels drawn that were not normally meant

Please understand, I do this by choice

As one day my content will be public domain too

The sooner the better

Sometimes, depends on if you can put food on the table in 2021

Before the potion for immortality was “perfected”

On the plus side this blog post could make WoW 2 and Diablo 5 amazing

Might inspire a few developers on Shiny Blue Marble before those days

I like the product, keep up the good work, “Never say die!” – Jenny Music

Basically what Republicans and Democrats would get if they let me make some money

We decided to take a different route https://www.usdebtclock.org

Might be wise to show a static image of the numbers for future generations

China “You must purge yourself of this desire for vengeance”

“In time he will forget”

Looking at this link, doesn’t seemed to have changed in a while

She was my Student

Set 1.5 billion people back

Then bitch about IP Law?

Sounds less American Dream Ideal when you say it that way

First we take the credit card

Then we chain her up like the Lich King?

“I have perfected you”

“A billion dollar bitch” stating the truth

Is still “a billion dollar bitch”

who doesn’t love a small 40000 people town?

“It is ruined” “Perfect but useless”
Just “a small alcove” to prosecutors
“Shall be vanquished”? no, shall be increased, supported, and inspired!

A pretty hot word

Maybe Blizzard think she looks hot on me

https://www.dictionary.com/browse/vanquish

verb (used with object)
to conquer or subdue by superior force, as in battle.
to defeat in any contest or conflict; be victorious over:
to vanquish one’s opponent in an argument.
to overcome or overpower:
He vanquished all his fears.

“Yeah of course I do”

My new Game Engine, when will foes be vanquished on it?

maybe 2025?

What Lew Sterret lag gets you

CLion with Open GL and Direct X I can’t use readily

Like rotten grain stores

After I was released

This new future

“What is it?”

a man needs goals

One dragon, one alienship

And collision detections sliced on a 2d plane

Possible?

“A violent rebellion… drought… starving”

“require us to expedite our efforts”

I keep enabling Blink, seems like situation stays the same

I mean my purchases to be a blessing

Not always the other way around

“Better to give than receive”

“How fortunate you are”

Bass is appreciated, then better to give bass

Pain with out love?

“Do not speak, observe”

“Remember, this lesson”

Future generations

Future women that are abused by Tyrants and broken dreams

World leaders have liked serving this up for years

“Their kind has shown great potential”

“For the good of the shadow lands”

“Could have chosen 50 shades instead”, this actually better, long term?

Only time will tell

“Forged into weapons for my armies”

“Your grandest design to claim my prize”

Pastels not all bad

I can imagine some ways to turn it up to a point I don’t want to see it

Way the system likes to work

Cover it like a candy coated apple

“Settle in”

Then Lorena from True Blood likes to go to work within the jail cells

“No more secrets no more lies a weapon to achieve our ends”
“In an endless war like every Ren before you… so we are going to tare it all down”

“Everyone suffers, Sylvanas”

“We are breaking a system that has always been flawed, and remaking it into one that is just”

Maybe this time we will get it right?

WW2 wasn’t enough

Korean war wasn’t enough

“We couldn’t control anything”

“At last be possible”

Vietnam was enough

Iraq and Afghanistan wasn’t enough

“We have never had free will little lion, but that is about to change”

In a nice pretty China and Taiwan bow

“Patience may yield superior results” wish this wasn’t applied to SSI

with poor little Autodesk taking one for the team

Alienware ladies, hope they are still making some money

MSI produces a pretty amazing product

“My captors” decided your update, “less value”, they chose to use “restraint, with their great power”

Might enjoy watching an MSI update on a nice new Alienware

I am a bit difficult

Remember this lesson

“Is it safe for the high lord to peer inside”

Intellij might be nice to have more then one dev environment

IDE’s don’t grow on trees “ya hear”

Kotlin or Java for the server side

“Regardless the conversation is over” – Lady Sylvanus

“A shred of mortality”

“I have not come this far to falter now”

“Make your choice Sylvanus Windrunner”

A good time to apply a new piece of fabric (for un fully read readers, I refer to my blog posts like a piece of fabric”, draped over the top of the browser a table cloth for Shiny Blue Marble, if you don’t like one of the videos feel free to try a different set, proper blog edicate does not require sequential processing, will I pay for these words?

11.29.2021 Pt. 4 PA

Interesting up from Twitters CEO, https://twitter.com/jack/status/1465347002426867720?s=20 maybe he can help with some of the world problems now

Meaning SSI is failing people in Jail not getting supported and now he will have more free time

To reiterate

Also respectable for CEO’s to truly understand that can be corralled short term but God controls the long term

Need to think about founders day of my blog Jun 16th 2017, Hopefully June 16, 2022 won’t be bad, hopefully won’t have to visit Cook and Pichai in Lew Sterret

How do I effectively send a message that my life is being endangered?

Can’t chew food properly could choke to death

Leaders like smoking Pot in Oval office

Feel good commentary followed by lack of delivery, sounds about right

IDE is a bit of a joke to my life from what people are selling

It’s only their EKGs, only the product lines for your wives epidurals

Threed printed cast delayed a couple years because?

Life as deoptimization in I would like better than that

I would run the country If

We completely got away from the Power Virtualization fuck you

Full implication of that

Meaning

Being at the top people like to smooth thing over and not get the right information to the top

People like to write deoptimization algorithms to insure wellfare while fucking the system long term

People like to segregate and divide networks with proxies and voter suppression

American Dream and Freedom of Speech as a Joke is not cool

Tools that don’t cut the mustard compared to comparable Tools from other countries is garbage

I am being served a shit sandwich on the tech landscape and I don’t like it one bit

Power virtualization framed people in Jail, people forced to take drugs they don’t need, too much unforgiveness in the world

Father Please fix all of this with the combined power of all my prayers throughout time In Christ’s name I ask this

11.29.2021 Pt 3

Free Image, with Filter
Free Image, Higher Contrast

“이 부기 노래를 들을 수 있습니다 마지막으로 있을 수 있습니다 원인” “디에고”

“Cause this may be the last time you hear the boogie song” “Diego”

“나는 내 귀를 믿을 수 없어, 나는 내 눈물에 익사하고, 지금 당신의 허락으로 나는 내 물건을 할 거야”

“I can’t believe my ears, I am drowning in my tears, now with your permission I am going to do my stuff”

“완벽하지만 쓸모없는” – Far Cry 6 Trailer

“Perfect but useless” – Far Cry 6 Trailer

빨리 우리 게 이 가증한 행위에 대 한 지불 해야 합니다 빨리 출시” – 크리스마스 전에 악몽

“Release me fast our you will have to pay for this heinous act” – Nightmare Before Christmas

“나는 미스터 오기 부기이고 당신은 아무 데도 가지 않을 것이기 때문에”- 크리스마스 전에 악몽

“Because I am Mr. Oogie Boogie and you ain’t going nowhere” – Nightmare Before Christmas

“물론 핀”
“And of course the pin”

“숨쉬기” 씨 “oogie 부기” “이 수류탄을 놓아 두면 붐이 일어간다”

“Breathe” Mr. “oogie boogie” “it is only when you let go this grenade goes boom”

“당신은 당신의 마음에 사랑이 있는 경우에, 당신은 단지 그들 자신에서 그들을 저장하려는 경우에도”- 파 크라이 6 트레일러 “이 부기 노래를 듣고 마지막 시간이 될 수 있습니다 원인” – 크리스마스 전에 악몽

“Even if you have love in your heart, even if you only want to save them from themselves” – Far Cry 6 Trailer “cause this may be the last time you hear the boogie song” – Nightmare Before Christmas

“누군가가 내 눈물에 익사이 동료를 종료 할 것” – 크리스마스 전에 악몽

“Would someone shut this fellow up I am drowning in my tears” – Nightmare Before Christmas

“잘 잘 잘 우리가 여기에 무엇을?” – 크리스마스 전에 악몽 “완벽하지만 쓸모없는”- 파 크라이 6 트레일러

“Well well well what have we here?” – Nightmare Before Christmas “Perfect but useless” – Far Cry 6 Trailer

“이것은 올바른 사람이 될 수 없습니다, 그는 고대, 그는 못생긴”

“This can’t be the right guy, he’s ancient, he’s ugly”

“이것은 올바른 사람이 될 수 없습니다, 그는 고대, 그는 못생긴”

시간이 부기 노래이기 때문에 “당신은 더 나은 지금 관심을 지불”

“You better pay attention now” because Time is the boogie song

“재밌네요, 정말 너무 많이 웃고 있고, 이제 허락을 받아 내 일을 할 거야.”

“It’s funny, I’m laughing you really are too much, and now with your permission I am going to do my”

“붐” “boom”

“당신은 당신이 있는 위치를 이해하지 못합니다, 왜냐하면 나는 오기 부기 씨이고 당신은 아무 데도 가지 않을 것이기 때문입니다” – 크리스마스 전에 악몽

“You aren’t comprehending the position you are in, because I am Mr. Oogie Boogie and you ain’t going nowhere” – Nightmare Before Christmas

“당신이 힘을 행사 할 때 당신이 큰 구속을 사용할 것을 알고있다” – 월드 오브 워크래프트 리치 킹 시네마틱

“I know you will use great restraint when you are exercising you power” – World of Warcraft Lich King Cinematic

우리 민족의 마음을 자극하는 것이 중요합니다.

It is important to stir the hearts of our people

“두 가지 필수 부품, 당신은 단단히 클러치해야하거나 우리 모두가 이동” – Far Cry 6 Trailer

“Two essential Parts, you must clutch tightly or we all go” – Far Cry 6 Trailer

파스텔 Demagnify 스튜디오 “크리스마스가 간다” – 크리스마스 전에 악몽

Pastel Demagnify Studio “There goes Christmas” – A Nightmare Before Christmas

부기와 디에고, 그들은 신비 한 유령 “모두 함께 아담의 가족”- 아담의 가족 영화 참조

Boogie and Diego, they are mysteriously Spooky “their all together Ookie the Adam’s Family” – Adam’s Family Movie Reference

커브 볼, 아담의 가족이 그들에게 지하실에서 이야기 주어진 기대
Curve ball in, expect Adam’s family given them Tales from Crypt

“매혹적인 생물, 내가 선언하는 것”

“What an enchanting creature, I do declare”

“그들은 자신의 배를 침몰 할 운명이었다”

“They were destined to sink their own ship”

세계 지도자들을 변화시키는 방식으로 글쓰기

Writing in a way that changes world leaders

어쩌면 리더십은 에드가 앨런의 기대보다 두 도시의 이야기에 더 많은

Maybe Leadership is more of a Tale of Two Cities than Edgar Allen Expectations

군중 속에 있는 힘, 신뢰할 수 있는 측근

Power of being in the in crowd, a trusted confidante

대통령, Et Tu Brute에서 $ 0?

$0 from the President, Et Tu Brute?

다빈치보다 살바도르 달리 팬의 바이든 더?
어디서나 녹는 시계?

Biden more of a Salvador Dali fan than Da Vinci?
Melty clocks everywhere?

1983년에서 2021년까지 큰 문제가 없으며, 중국과 대만 수정은 기다릴 수 없습니다.

1983 to 2021 no big deal, China and Taiwan fix can wait

데스 행에 있는 사람들이 죽을 때까지 유용한 알고리즘

A useful algorithm, until people on death row die because of it

우리는 우리의 세계 평화를 정착 할 수 없기 때문에 동양 하강의 중국과 여성은 국가에 구타

Chinese and women of Oriental Descent are beaten in the states because we can’t settle our world peace

약간의 지연, 큰 문제가 없다?

A little lag, no big deal?

“나는 꿈을 가지고있다”- 마틴 루터 킹 주니어 1970 년 50 년 으로 거슬러?

“I have a dream” – Martin Luther King Jr. 1970 set back 50 years?

나는 그것을 1000 번 말할 수 있습니다, 당신은 동양 찾고 여자를 다치게 감히하지 마십시오

I can say it 1000 times, don’t you dare hurt that oriental looking woman

거기에 대해선 꿈도 꾸지 마

don’t even think about it

그녀는 신용 카드를 가지고

She’s got the credit card

나는 어떤 사람들을 화나게 할 수 있다는 것을 알고 있다.

I know that can upset some people

그녀가 모든 것에 대해 조금 쿨러했다면 도움이 될 것입니다.

Would be helpful if she was a little cooler about the whole thing

이것은 태국 여성을 기교하는 올바른 단어가 아닐 수도 있습니다.

These might not be the right words to finesse a Thai woman, let alone a Chinese one

태국에서 7천만 명, 중국만큼 이나 큰

70 million in Thailand, almost as big as China

대만 2,400만 명

24 million in Taiwan

5,200만 대한민국

52 million in South Korea

노르웨이540만 명

5.4 million in Norway

바이킹은 생산 라인을 최대해야 할 수도 있습니다.

Vikings might need to up the production lines

노르웨이에서 태국, 태국은 중국에, 중국은 빛나는 블루 대리석에 있다

Norway to Thailand, as Thailand is to China, as China is to Shiny Blue Marble

모든 에서 몇 가지 XX 염색체 기회

A few XX Chromosome opportunities in all that

그리고 그것의 가장 좋은 부분

And the best part of it

던컨빌, TX 40000

Duncanville, TX 40000

여성은 생강의 말만으로 살지 말아야 합니다.

Women shall not live on lack of Ginger’s words alone

모든 생강이 바이킹은 아닙니다.

Not all gingers are vikings

일부는 아일랜드와 영국에서 내려

Some descend from the Irish and British

북유럽, 그리고 북미에서 예 일부

Northern Europe, and yes some from North America

남쪽에서 가장 팁에 경우에도

Even if in the south most tip

1980년대에 태어난 H 생강의 제이슨은 BC에서 가장 단순한 알고리즘이 아닙니다.

H Ginger’s named Jason born in 1980s is BC not the simplest algorithm

스칼렛 편지는 기본적으로 머리에 기록

Scarlet Letter basically written in the hair

하키 마스크에 추가

Add in a hockey mask

“그들의 피부는 치즈처럼 보인다”- 폭군 FX, 우리는이 주근깨 편견을 호출

“Their skin looks like cheese” – Tyrant FX, we call this Freckle Prejudice

짧은 빨간 주근깨 생강에 대한 사랑없음

No love for short red freckled gingers

적어도 CLion에서 쉽게 접근 할 수있는 OpenGL 라이브러리의 형태로는 아닙니다.

At least not in the form of OpenGL libraries easily accessible in CLion

어쩌면 지불 된 버전은 “와인에 물을 바꿀 것입니다 … 그리고 죽은 자게?”

Maybe the payed version “will change water to wine… and raise the dead?”

너무 그런 식으로 돈을 보낼 것

Would send some money that way too

I use IntelliJ because I don’t like the App?

But if it doesn’t work

Might be wiser to put some panels in front of the sun in moon form

Such as by the power of an Eclipse

Using Actionscript 3 Flex to be forced upon Apple

Siri do not resist evil

Accusing gentle Adobe of a misdeed

“His road was hard”


Maybe Crystal Platform as an organization

45 minutes of Defense Law Followed by Icy Blue Luke Follow by Yoga as a daily Regime?

Art Appreciation and Freedom of Speech somewhere during the day

Matthew 7777 in the evening

Orthodox and unorthodox

Worse daily routines, let me give the algorithm a try tomorrow

7:00 AM 45 minutes of Defense Law Followed by Icy Blue Luke Follow by Yoga as a daily Regime

A good way to start the day

Art Appreciation and Freedom of Speech somewhere during the day

7:30 PM Mathew 7777

I like investing a little early

14 minutes, 7 minutes at 2x

그에게 물어 사람들에게 냄새 물건” – 매튜 7

5:01 PM to 5:08 PM “Good things to those who ask him” – Matthew 7

“일반적으로 나는 시간에서 더 많은 것을 얻을” 나는 성경과 함께 지출 “내가 넣어보다”

“Generally I get a lot more out of the time” I spend with the Bible “than I put in”

“주고 얻을 것이다” “바위 위에 구축”

“Give and you will get” “build on a rock”

좁은 게이트, 무료 이미지
Narrow gate, Free Image

내가 생각하는 Huion 스케치를 설정하는 좋은 방법, 그리고 프로 만들기 및 기타 응용 프로그램과 함께 일하는 사람들을위한 무료 이미지

Good way to turn up Huion Sketch I think, and Free Image for people working with Procreate and other Apps

어쩌면 일러스트레이터 나 포토샵을 가진 누군가가 조금 더 이해가있는 사람이 그것을 뒤집을 수 있습니다.

Maybe someone with Illustrator or Photoshop with a little more understanding could turn it up, being a free image they have the right

https://www.dictionary.com/browse/wise

adjective,wis·er,wis·est.having the power of discerning and judging properly as to what is true or right; possessing discernment, judgment, or discretion.characterized by or showing such power; judicious or prudent:a wise decision.possessed of or characterized by scholarly knowledge or learning; learnederudite:wise in the law.having knowledge or information as to facts, circumstances, etc.:We are wiser for their explanations.SEE MOREverb (used with object),wised,wis·ing.Slang. to make wise or aware:I’ll wise you, kid.Verb Phraseswise up,Slang. to make or become aware of a secret or generally unknown fact, situation, attitude, etc.:They wised him up on how to please the boss.She never wised up to the fact that the joke was on her.

Don’t judge

Build on a rock

https://www.dictionary.com/browse/rock

nouna large mass of stone forming a hill, cliff, promontory, or the like.Geology.

  1. mineral matter of variable composition, consolidated or unconsolidated, assembled in masses or considerable quantities in nature, as by the action of heat or water.
  2. a particular kind of such matter:igneous rock.

stone in the mass:buildings that stand upon rock.a stone of any size.something resembling or suggesting a rock.curling stone:Regulation weight is verified for each rock before the curling match can begin.

Free Image, Luke Lighthouse built on a rock, warning of hidden rocks

Potential story line

Visitor visits Fraternity Party in different state, eats some Chili, gets thrown out of FBI training

People “never” fail drug tests

A system that doesn’t account for turbulent vs laminar flow, might want to get out earlier than later

“Unforgiving restraints” in, “unforgiving restraints” in

Hopefully the FBI accounts for that, if they want to maintain resources long term

Under cover cop doesn’t accept drink

Could cause more problems

Could be laced

A bit of a no win makes for an interesting movie

If I was writing the movie, how would I want it written?

Some breathing room for officers in my opinion

Kind of need carry through for that to make sense

Lit up always high support network not good

Opposite not necessarily good either

Bacterial infection, wants to have a drink, lets put a stop to that?

Got to let the infestation fester, “drinking is always bad”

Deaths due to infections during prohibition, possible

Deaths due to excessive alcohol intake during years of no prohibition, also possible

Trying to completely control my finances, leaving me on the sidelines not supporting me then blaming me for drinking too much?

We can do better than that

Our legal system kind of sucks

Can’t fly my drone easily to let CEOs fly locally, while I get left in prison and robbed of my Intellectual Property?

Giant Fuck you from the state

Father please change hearts quickly or reduce blessing substantially long term for people that don’t fix the problem with SSI In Christ’s name I ask this

Progress requires experimentation April 13, 1983 until November 29th, 2021

How about we fix some problems instead of leaving the world in a shit storm

And I the only one that actually cares about this shit?

New Intel organization with Space Laser Axe?

New rule wreck Aerospace me in, wreck Aerospace you in

Father in Christ’s name I ask that people stop being allowed to deactivate my gear and terrorize me this way, may God block every person that doesn’t stop trying to fuck me over for all of 2022 if it doesn’t stop real quick

Father please have my dead Father’s ghost haunt the current administration until they learn to stop fucking with our family

Maybe the military can help me with that one

They seem to forgot the DC Not bad at their job connector

Common occurrence these days

No consequence to wrecking lives in Duncanville, TX?

Support, DC doesn’t like to pay for that

Give them what they do like to pay for

Negative support

Please extend the worse base raising 2 boys, the former Navy, and Wang laboratories and having a Dad that worked at ATT in Pennsylvania has to offer

A lot of unknowns, luckily God can pick up the slack

In Christ’s name I ask this

It’s for a good cause, keeping people out of morgues and burning buildings worldwide

I don’t know what weight growing up in a military family adds to the table

Outside of my own family

Was lucky enough not to have to travel much

Course they might have Agent Oranged him, He was smart not sure always for the better

Constant weight of surveillance and financial pressures, how about we not turn that up in the wrong way for future generations?

Father please decrease cyber security problems for people trying to help me and increase for people trying to block me and my family

https://www.supremecourt.gov/oral_arguments/audio/2021/20-1312

Part A – Benefits “Shall be entitled to Part A benefits”

“Subject to conditions”

“Best reading of statutes text”

An hour in 9 minutes, please apply this to tomorrow morning

Not sure it is fair to call members of society, citizens, as “entitled” for wanting to put food on their table

“not entitled to freedom” Lew Sterret is a form of entitlement

Should be entitle to legal protection and fast and speedy trials

Tie up SSI support in legal proceedings that require AC for all the people in the Supreme Court building

The lawyers basically robbing my benefits

“Third party responsible for injury”

With a lot of “gloss” “in that statute”

acquiescing what does that word even mean?

How do I “fully vindicate that”

https://www.dictionary.com/browse/acquiescing

verb (used without object),ac·qui·esced,ac·qui·esc·ing.to assent tacitly; submit or comply silently or without protest; agree; consent:to acquiesce halfheartedly in a business plan.

Non Nominal Enthusiastic Acquiescing “this ain’t build a ” support network

NWEA otherwise referred to as NWEC

Defference hinges on what the final rule might say

https://www.dictionary.com/browse/deference

noun
respectful submission or yielding to the judgment, opinion, will, etc., of another.respectful or courteous regard:

More SSI for the people and a better support network seems a wise reason to show deference and WEC otherwise known as WEA in similar circles

“Will necessarily have higher costs”

Bifurcated and 2 populations?

A more sensible approach

Sporking bifurcation? https://www.dictionary.com/browse/bifurcated

Don’t hate on the multi tool

“For that reason medicare did not cover their care” https://www.dictionary.com/browse/spork

“A compromise between approaches”

“effectively average… both have merit and we should combine them”

“Predicate qualification, you are entitled”

“Arise magically, both depend on a predicate determination”

“The correct answer is not to skew the meaning”
“Benefits that are unexhausted”

I do not “approve of the status quo” of my SSI value nor others SSI being to set to $0

I believe them to not have statutory authority

Using a word that I don’t understand, how rude

https://www.dictionary.com/browse/statutory

adjectiveof, relating to, or of the nature of a statute.prescribed or authorized by statute.conforming to statute.(of an offense) recognized by statute; legally punishable.

https://www.dictionary.com/browse/statute

nounLaw.

  1. an enactment made by a legislature and expressed in a formal document.
  2. the document in which such an enactment is expressed.

International Law. an instrument annexed or subsidiary to an international agreement, as a treaty.a permanent rule established by an organization, corporation, etc., to govern its internal affairs.

a permanent rule authority, an administration that only has a few years to be in power, would not have statutory authority in my humble opinion

https://www.dictionary.com/browse/quintessential

adjectiveof the pure and essential essence of something:the quintessential Jewish delicatessen.of or relating to the most perfect embodiment of something:the quintessential performance of the Brandenburg Concertos.

https://www.dictionary.com/browse/pecuniary interest

adjective
of or relating to money:pecuniary difficulties.consisting of or given or exacted in money or monetary payments:pecuniary tributes.(of a crime, violation, etc.) involving a money penalty or fine.

“sophisticated providers prefer”

preferential treatment for sophisticated providers of provocateurs?

“The old greet and toss, No problemo” – Bart Simpson, Simpsons

“statutory language” permanent rule language

“At a broader level” unwise

Statute as a permantent rule seems unwise, rule systems have a “general tendency” to evolve

https://www.dictionary.com/browse/tenancy in Lew Sterret

“both inconsistent with normal meaning of entitled”

“no justification for repudiation”

noun,pluralten·an·cies.a holding, as of lands, by any kind of title; occupancy of land, a house, or the like, under a lease or on payment of rent; tenure.the period of a tenant’s occupancy.occupancy or enjoyment of a position, post, situation, etc.:her tenancy as professor of history at the state university.Archaic. a piece of land held by a tenant; holding.

noun
the act of repudiating.the state of being repudiated.refusal, as by a state or municipality, to pay a lawful debt.

https://www.dictionary.com/browse/repudiate

verb (used with object),re·pu·di·at·ed,re·pu·di·at·ing.to reject as having no authority or binding force:to repudiate a claim.to cast off or disown:to repudiate a son.to reject with disapproval or condemnation:to repudiate a new doctrine.to reject with denial:to repudiate a charge as untrue.to refuse to acknowledge and pay (a debt), as a state, municipality, etc.

I repudiate the governments right to block my resources and support network

“Not an inconsiderable number of people that represents”

I repudiate people and organizations who wish my account and balances to continue to be enrolled in part “B me”

B me – Title 2 – will refer to Bitch me, Bass me, Butt me, Boom me, Bank remove me

entitled to Siri under Part A

My iPad not working states otherwise

Free for everyone except Siri, she pays double? Not a big fan of sticking it to my support network, not like I work for the government

Acts Cube, longer God sets when things get better