I came accross this TikTok video recently, where the presenter shows how to make an “Object Oriented” Hello World program. It made me laugh so much, I thought I would try my own hello world program.
This is my solution, which uses the Python ast module to inspect the script looking for functions to use in the hello world message.
#!/usr/bin/env python3
import ast
def Hello():
...
def World():
...
class Visitor(ast.NodeVisitor):
def __init__(self):
self.functions: list[str] = []
def visit_FunctionDef(self, node: ast.AST):
if '_' not in node.name and node.name[0].isupper():
self.functions.append(node.name)
self.generic_visit(node)
def _say_hi():
with open(__file__, 'r') as fd:
code = fd.read()
node = ast.parse(code)
visitor = Visitor()
visitor.visit(node)
print(' '.join(visitor.functions))
if __name__ == '__main__':
_say_hi()
TLDR: use utf8mb4 as the character set for tables because utf8 is broken in MySQL.
Recently while attempting to load the Unihan character database into a MySQL database using Django, but I found that I was getting encoding errors. To cut a long story short, it turns out that in MySQL, the character encoding utf8 != utf8!
The long version of the story is that when creating the database, I had used the default “utf8” encoding, thinking that this would enable the full use of unicode. Unfortunately this is not the case, as in MySQL “utf8” does not fully implemnet UTF8.
The solution to this problem is to use the “utf8mb4” encoding instead.
CREATE DATABASE blog CHARACTER SET utf8mb4;
But this is not enough, you also need to inform Django to use utf8mb4 when connecting to MySQL. To do this add the following to Django database options
'OPTIONS': {'charset': 'utf8mb4'},
One more problem happened, I had set the “hanzi” field to be unique but then part way though loading in the data, the script returned a “duplicate entry” error for hanzi field (this was for the 𠀁 character). This is due to the collation settings for MySQL, which sets the rules MySQL uses for comparing characters.
The collation setting I needed is utf8mb4_bin, which compares the bytes of the character.
I did not want to change the collation setting for the whole database, as this could break other things. So I decided to just change that column. This means I needed to create a custom migration in Django. The first step is to create an empty migration.
python3 manage.py makemigrations --empty zhongwen
Then add the following code to the list of operations to run for that migration.
migrations.RunSQL(
'ALTER TABLE `zhongwen_hanzi` CHANGE `hanzi` `hanzi` VARCHAR(1) CHARACTER SET utf8mb4 COLLATE utf8mb4_bin NOT NULL;'
)
Then we can run the migration, and it will change the hanzi field to use utf8mb4_bin for the collation.
I’ve been working on a project that’s written in Python, it continuously communicates with some external industrial equipment. It will poll the status of this equipment 4 times per second and also sends commands to them when requested to. My job this week was to raise the update rate to 5Hz…. I needed to make sure I had enough time to do this!
I decided before doing anything I should profile the code to find out how much time the main loop needs to run and what methods take the longest time. That way I’d know if the code can support 5Hz and if not what I can do about it.
Once again the Python standard library comes to the rescue, the cProfile module will monitor the execution of your program and generate a report. Below is an example of how to use it.
import cProfile
cProfile.run("main()")
The next thing I did is write a simple bit of code that will print to stdout the current update rate of my application every second. It’s pretty much a Python port of the JavaScript library stats.js.
from __future__ import division
import time
class stats(object):
def __init__(self):
self.msMin = 1000
self.msMax = 0
self.msTime = 0
self.fpsMin = 1000
self.fpsMax = 0
self.fps = 0;
self.updates = 0
self.startTime = int((time.time()+0.5)*1000)
self.prevTime = int((time.time()+0.5)*1000)
def begin(self):
"""Calling the method signifies the start of a frame
"""
self.startTime = int((time.time()+0.5)*1000)
def end(self):
"""Calling this method signifies the end of a frame
"""
now = int((time.time()+0.5)*1000)
self.msTime = now-self.startTime
self.msMax = max(self.msMax, self.msTime)
self.msMin = min(self.msMin, self.msTime)
#print "ms: %i (%i - %i)" % (self.msTime, self.msMin, self.msMax)
self.updates = self.updates + 1
if now > (self.prevTime + 1000.0):
self.fps = round((self.updates*1000.0)/float(now-self.prevTime))
self.fpsMax = max(self.fpsMax, self.fps)
self.fpsMin = min(self.fpsMin, self.fps)
print "stats: %i fps (%.i fps - %i fps)" % (self.fps, self.fpsMin, self.fpsMax)
self.prevTime = now
self.updates = 0
return now
def update(self):
self.startTime = self.end()
Simply add a call to begin() to the start of your loop and a corresponding call to end() at the end of your loop. Now I get a nice counter that tells me how the code is performing. As I work on the code I can see how this affects the main loop performance.
Earlier I was converting a Scilab simulation into C and I had the code emit a load of text files containing the data because I didn’t want to do any plotting or UI stuff in C. But I still wanted to plot the data so I can quickly check everything’s working. I also wanted to do some post processing of the data too… well that’s Python really shines in my opinion. I fired up IPython and used Numpy and Matplotlib.
import numpy as np
import matplotlib.pyplot as pyplot
pyplot.plot( np.loadtxt("data/somedatafile.dat") )
pyplot.show()
Done! In four lines of code I have my plot. I love IPython, numpy and matplotlib, they allow you to get things done really fast. I also love that IPython even auto-completes file paths, so very handy :-).
We use cookies on our website to give you the most relevant experience by remembering your preferences and repeat visits. By clicking “Accept All”, you consent to the use of ALL the cookies. However, you may visit "Cookie Settings" to provide a controlled consent.
This website uses cookies to improve your experience while you navigate through the website. Out of these, the cookies that are categorized as necessary are stored on your browser as they are essential for the working of basic functionalities of the website. We also use third-party cookies that help us analyze and understand how you use this website. These cookies will be stored in your browser only with your consent. You also have the option to opt-out of these cookies. But opting out of some of these cookies may affect your browsing experience.
Necessary cookies are absolutely essential for the website to function properly. These cookies ensure basic functionalities and security features of the website, anonymously.
Cookie
Duration
Description
cookielawinfo-checkbox-analytics
11 months
This cookie is set by GDPR Cookie Consent plugin. The cookie is used to store the user consent for the cookies in the category "Analytics".
cookielawinfo-checkbox-functional
11 months
The cookie is set by GDPR cookie consent to record the user consent for the cookies in the category "Functional".
cookielawinfo-checkbox-necessary
11 months
This cookie is set by GDPR Cookie Consent plugin. The cookies is used to store the user consent for the cookies in the category "Necessary".
cookielawinfo-checkbox-others
11 months
This cookie is set by GDPR Cookie Consent plugin. The cookie is used to store the user consent for the cookies in the category "Other.
cookielawinfo-checkbox-performance
11 months
This cookie is set by GDPR Cookie Consent plugin. The cookie is used to store the user consent for the cookies in the category "Performance".
viewed_cookie_policy
11 months
The cookie is set by the GDPR Cookie Consent plugin and is used to store whether or not user has consented to the use of cookies. It does not store any personal data.
Functional cookies help to perform certain functionalities like sharing the content of the website on social media platforms, collect feedbacks, and other third-party features.
Performance cookies are used to understand and analyze the key performance indexes of the website which helps in delivering a better user experience for the visitors.
Analytical cookies are used to understand how visitors interact with the website. These cookies help provide information on metrics the number of visitors, bounce rate, traffic source, etc.
Advertisement cookies are used to provide visitors with relevant ads and marketing campaigns. These cookies track visitors across websites and collect information to provide customized ads.