Oliver and Company Original Soundtrack

This is where I drop a slightly less than subtle reminder that technically these little music posts aren’t really reviews or recommendations and more just, what I like with a bit of my own “musical journey” sprinkled in.

The last bit is where today’s entry falls in.  The Oliver and Company soundtrack has a vaguely special place for me, not for being overly notable, or even that I enjoy it a lot.  It’s the first album I ever purchased, technically.  Released back in 1988, and probably purchased around that time.  I have vague memories of it, I bought (or maybe it was a birthday present or something) a portable cassette player, and of course, I needed some music to go with it.  I remember deciding on the Oliver and Company Soundtrack.  I will add, I know that I also had the TMNT Movie soundtrack very early, so it’s possible that it was purchased at the same time.  I want to say I was with my grandparents and after picking what I was spending my allowance on, they may have purchased the other to go with it.

I still have the cassette tape.  Though I don’t seem to have the TMNT one anymore.

I suppose it’s worth mentioning the movie a bit.  I have, almost zero memory of the movie itself.  It’s a Disney retelling of Charles Dickens’ novel Oliver Twist, only instead of people orphans, it’s about stray animals.  Oliver is a little kitten, his friend Dodger is a dog, of some kind, played by Billy Joel.  It almost feels like a bit of a prototype for “modern Disney” musically.  Yeah, even the older Disney movies had plenty of music, but it feels like this was the first time they tried to really push a Pop song for the soundtrack, with Why Should I Worry by Billy Joel.  The next animated film they did with The Little Mermaid was the one with the real hit music soundtrack though.  Like I said, it felt a bit like a prototype for this concept that would become kind of the cornerstone of Disney films afterwards.

Anyway it consists of 11 tracks, 6 of which I remember not really caring for because they were “boring music” (instrumental) tracks.  Basically, I’d always just listen to one side of this tape, then rewind it instead of flipping it over.  I probably didn’t even make it all the way through the first side though.  I don’t think I really cared a lot for the Bette Midler track, Perfect Isn’t Easy, and the follow up Good Company isn’t really a rocking pop hit either.

It almost feels like I didn’t really like this album at all, though I am sure I did, because listening to it again, before writing about it, I still remembered a lot of the lyrics, especially to Why Should I Worry, which is basically the “stand out hit” of the entire thing, and probably the movie.  I mean, the hired Billy Joel to voice a cartoon dog, and it feels like they did it to get him to provide this song for the soundtrack.  As of this writing, Billy Joel has 52 acting credits on IMDB, and Dodge from Oliver and Company, is the ONLY one where he isn’t credited as playing “Billy Joel”.

Anyway, the two non instrumental tracks I have not mentioned, One Upon a Time in New York City and Streets of Gold are also alright, with Huey Lewis doing the former and Ruth Pionter doing the latter.  Streets of Gold and Why Should I Worry are definitely the stand out tracks though on this soundtrack though.

Code Project: Fresh RSS to WordPress Digest V 2

A while back, I talked about a little simple project that I build that produces a daily RSS digest post on this blog. This of course broke when my RSS Reader died on me. I managed to get Fresh RSS up and running again in Docker, and I’ve been slowly recovering my feeds, which is incredibly slow and tedious to do because there are a shitload of feeds, and i essentially have to cut and paste each URL into FreshRSS, and select the category and half the time they don’t work, so I need to make a note of it for later checking and it’s just… slow.

But since it’s mostly working, I decided to reset up my RSS poster. I may look into setting up a Docker instance just for running Python automations, but for now, I put it on a different Pi I have floating around that plays music. The music part will be part of a different post, but for this purpose, it runs a script, once a day, that pulls a feed, formats it, and posts it. It isn’t high overhead.

While poking around on setting this up, I decided to get a bit more ambitious and found out that, basically every view has it’s own RSS feed. Previously, I was taking the feed from the Starred Articles. But it turns out that Tags each have their own feed. This allowed me to do something I wanted from the start here, which is create TWO feeds, for both of my blogs. So now, articles related to Technology, Politics, Food, and Music, get fed into Blogging Intensifies, and articles related to toys, movies, and video games, go into Lameazoid.

I’ve also filtered both of these out of the main page. I do share these little link digests for others, if they want to read them, but primarily, it’s a little record for myself, to know what I found interesting and was reading that day. This way if say, my Fresh RSS reader crashes, I still have all the old interesting links available.

The other thing I wanted to do was to use some sort of AI system to produce a summary of each article. Right now it just clips off the first 200 characters or so. At the end of the day, this is probably plenty. I’m not really trying to steal content, I just want to share links, but links are also useful with just a wee bit of context to them.

I mentioned before, making this work involved a bit to tweaking to the scrips I was using. First off is an auth.py file which has a structure like below, one dictionary for each blog, and then each dictionary gets put in a list. Adding additional blogs would be as simple as adding a new dictionary and then adding the entry to the list. I could have done this with a custom Class but this was simpler.

BLOG1 = {
    "blogtitle": "BLOG1NAME",
    "url": "FEEDURL1",
    "wp_user": "YOURUSERNAME",
    "wp_pass": "YOURPASSWORD",
    "wp_url": "BLOG1URL",
}

BLOG2 = {
    "blogtitle": "BLOG2NAME",
    "url": "FEEDURL2",
    "wp_user": "YOURUSERNAME",
    "wp_pass": "YOURPASSWORD",
    "wp_url": "BLOG2URL",
}

blogs = [BLOG1, BLOG2]

The script itself got a bit of modification as well, mostly, the addition of a loop to go through each blog in the list, then some variables changed to be Dictionary look ups instead of straight variables.

Also please excuse the inconsistency on the fstring use. I got errors at first so I started editing and removing the fstrings and then realized I just needed to be using Python3 instead of Python2.

from auth import *
import feedparser
from wordpress_xmlrpc import Client, WordPressPost
from wordpress_xmlrpc.methods.posts import NewPost
from wordpress_xmlrpc.methods import posts
import datetime
from io import StringIO
from html.parser import HTMLParser

cur_date = datetime.datetime.now().strftime(('%A %Y-%m-%d'))

### HTML Stripper from https://stackoverflow.com/questions/753052/strip-html-from-strings-in-python
class MLStripper(HTMLParser):
    def __init__(self):
        super().__init__()
        self.reset()
        self.strict = False
        self.convert_charrefs= True
        self.text = StringIO()
    def handle_data(self, d):
        self.text.write(d)
    def get_data(self):
        return self.text.getvalue()

def strip_tags(html):
    s = MLStripper()
    s.feed(html)
    return s.get_data()

# Get News Feed
def get_feed(feed_url):
    NewsFeed = feedparser.parse(feed_url)
    return NewsFeed

# Create the post text
def make_post(NewsFeed, cur_blog):
    # WordPress API Point
    build_url = f'https://{cur_blog["wp_url"]}/xmlrpc.php'
    #print(build_url)
    wp = Client(build_url, cur_blog["wp_user"], cur_blog["wp_pass"])

    # Create the Basic Post Info, Title, Tags, etc  This can be edited to customize the formatting if you know what you$    post = WordPressPost()
    post.title = f"{cur_date} - Link List"
    post.terms_names = {'category': ['Link List'], 'post_tag': ['links', 'FreshRSS']}
    post.content = f"<p>{cur_blog['blogtitle']} Link List for {cur_date}</p>"
    # Insert Each Feed item into the post with it's posted date, headline, and link to the item.  And a brief summary f$    for each in NewsFeed.entries:
        if len(strip_tags(each.summary)) > 100:
            post_summary = strip_tags(each.summary)[0:100]
        else:
            post_summary = strip_tags(each.summary)
        post.content += f'{each.published[5:-15].replace(" ", "-")} - <a href="{each.links[0].href}">{each.title}</a></$                        f'<p>Brief Summary: "{post_summary}"</p>'
        # print(each.summary_detail.value)
        #print(each)

    # Create the actual post.
    post.post_status = 'publish'
    #print(post.content)
    # For Troubleshooting and reworking, uncomment the above then comment out the below, this will print results instea$    post.id = wp.call(NewPost(post))

    try:
        if post.id:
            post.post_status = 'publish'
            call(posts.EditPost(post.id, post))
    except:
        pass
        #print("Error creating post.")

#Get the news feed
for each in blogs:
    newsfeed = get_feed(each["url"])
# If there are posts, make them.
    if len(newsfeed.entries) > 0:
        make_post(newsfeed, each)
        #print(NewsFeed.entries)

Re-mulching and other Activities Outside the House

I have been slacking on my posts, though technically still doing better than I had been. It’s a combination of being busy and just being generally meh overall. One think keeping me busy was re-mulching the flower beds around the house. Not just throwing down new mulch though, I mean raking up the old and putting down new weed barrier. This meant going around the existing plants and the little metal stakes to hold the weed barrier down were a pain because there is a ton of super packed rock in the area that makes them hard to insert into the ground.

In the case of the tree out back, it also meant digging up the ground around the tree to add a new flower bed space completely. We added a lot of new plants to the area as well, though most in pots for ease of use.

Then my wife put all her decor out again.

We also started working on the basic garden set up for the year. In the past we’ve had issues with trying to garden at this house because there is a lot of wildlife that comes around that eat or dig up everything. Right now it’s in buckets, though I plan to put legs on these wooden boxes we have to put the buckets into. Which is part of what the pile of wood behind the garden plants at the bottom is for. We also may use the stairs as a tiered herb garden. It’s all wood that was salvaged from my parent’s deck which they recently had replaced.

Anyway, here are some photos of the completed set up.

Here is a random bonus of the backyard from when I was mowing recently.

Orla Garland – Woman on the Internet

I’m a few years behind I suppose, but it’s worth mentioning that Orla Gartland’s debut album, Woman on the Internet, was my favorite album of 2021. Orla Garland is one of those artists that I cam to from another, as she is also Dodie’s guitarist and friend and so listening to Dodie, lead me to listening to Orla. The overall feel and tone of Orla Garland’s music is much different than Dodie’s though, it’s much much more upbeat and rock and roll, though it does share a lot of the structural characteristics of ups and downs and clever lyrics that I enjoy from Dodie’s music. I have no idea if there was any level of cross collaboration there, more that just, there is a subtle style going on that definitely has rubbed off one way or the other, or probably both ways a bit.

Though this is her first full album, Olra has had several EPs previously and regularly publishes snippets and unfinished/unreleased songs on her Patreon. I mention the Patreon only to mention that it’s literally the only Patreon I have ever subscribed to. It’s also probably worth mentioning that though I am only writing about the regular release, there is a deluxe version available as well which contains a few more tracks.

Though there is no track called Woman on the Internet, the album title does show up as a lyric and kind of, underlines a lot of the themes present in this album’s tracks about just how “fake” a lot of online people tend to be about a lot of things and how people try to strive to be like them, even if they don’t realize it. The intro track Things That I’ve Learned, feels like it sets a sort of baseline for this, and the theme is a bit ramped up in More Like You later on and comes to a bit of a head later on the album in Pretending. Pretending is probably my favorite track on this album as well, I really just love the whole theme and tune behind it.

Another good track is track 2, with You’re Not Special Babe, a nice fast paced track that makes clever use of it’s title. It’s not really what one might expect, it’s not saying you’re not special because you’re stuck on yourself, or you’re not special and are a loser, it’s more that, you’re not special, in being the only one with problems and issues. As the lyric goes,

Everyone cries, everyone lies Everyone hates you Everyone’s so scared of the future, it’s true

Essentially, everyone has bad days and times and all in all, you’re doing fine, and it will be better. Another track that kind of runs with this theme of “getting better” is Zombie!, When everything seems awful and just bottle it all up because it’s what’s expected and live like, well, an emotionless zombie.

Another one I particularly like is Codependency, which has some nice hits and ups and downs in it’s structure and an interesting theme that feels a bit like a blame game but then accepts that it’s a problem that goes both ways and that’s why it works out. As a wrap up I also wanted to call out the last track, Bloodline/Difficult Things. Which feels like an interesting topper to all of the turmoil of drama across the album, it has a touch of Orla’s own history wrapped in, but I particularly like the lyric “Skip a beat in the bloodline,” which kind of feels like the idea of breaking a bad family cycle.

All in all I just really dig Olra’s overall sound and I’m really looking forward to her next album. There’s lots of interesting emotion behind the lyrics and a lot of fun structure and shifting to the melodies and beats.

Evangelion Finally

While I’ll talk a bit on this album, Evangelion Finally, this also covers the vinyl version of this album. So, a bit of a story here. I really don’t plan to collect up a ton of records for my recently activated vinyl hobby, but I really could not resist this one when I came across it. I was originally looking into albums at Best Buy, because I had some credit, and went to do some price comparisons, then this one, and another came up as recommended. Which has spawned a bit of a new angle of interest for my vinyl buying. Anime Albums, and to some extend, Video Game albums.

I already have a plan to build a narrow wall shelf over my record player space, and this album, will look so nice propped up on the wall. I almost wish I had a good way to also show off some of the records themselves in the display because they are often quite nice looking. This album included, it has two records, both a nice splattered hot pink color. The cover has this very vibrant image of Rei Ayanami on it.

I should probably rewind a bit more on why I care about this album. I am not currently a particularly huge Anime fan, but I used to be one. I really can’t stand a lot of modern Anime, but still like a lot of those old, 90s, early 2000s classics. Evangelion is up there as one of my favorites as well. I re-watched it recently on Netflix and it’s still really good. The soundtrack is also pretty good, though this album is not the complete sound track. It’s mostly just, all the vocal tracks, minus a few dozen versions of Fly Me to the Moon.

Back around the time I was in college, I listened to the complete soundtrack pretty regularly.

While the whole album is pretty good, assuming you are fan of Evangelion and music in Japanese, I find most of the “meat” of this album is front loaded in the first 5 tracks. As one would expect, it opens with the opening track from the series, A Cruel Angel’s Thesis. The second track is a nice version of Fly me the The Moon. Yes, the same song often associated Frank Sinatra. For those who may be unaware, this song was played during the end credits of each episode of the series, though each episode also featured a different take and version of the song.

The third and fourth tracks are from the two movies, Soul’s Refrain and Thanatos-If I can’t Be Yours-. Both tracks are good, but the fifth track is the fan favorite from The End of Evangelion, Komm, Süsser Tod (Come, Sweet Death). This track plays during the Third Impact event as the world ends during the movie, and it’s probably the most upbeat sounding song about death that you’ll ever find. It’s also a bit of an odd juxtaposition of language, the title is German, it’s from a Japanese show and sung by a Japanese woman, but the words are all in English. There is also a Japanese version of this song at Track 12, though it’s a different mix for the instrumentals.

A lot of the rest of the album I don’t immediately recognize, aside from Track 11, Shiawase wa Tsumi no Nioi. This kind of tracks with my experience with Evangelion as a whole. The one track I do recognize was from a Dreamcast game, and while I have never played the game, it would have ended up in my soundtrack pile of Evangelion media back in the day. Most of the other tracks seem to come from the more recent V2.0 Remake anime. I have, sort of watched, parts of this, but I couldn’t get into it as much as the original series at all.

While I admit, I mostly bought this album on vinyl because I want to to hand up among my wall display, it is a good collection of music from the series.