Saturday, November 14, 2020

How do analog and digital signals work in the context of physics or electricity?

Traditionally, internet is accessible to every home via the normal telephone lines connected. The data transmitted from the telecommunication company (also ISP) to a DSL modem inside each home is in form of analog (voice) signal. Then, the modem converts the analog signal to digital signal and sends it to a connected computer.

The digital signal is represented by the number zero (0) and one (1). But physically, it's a voltage pulse. For example, if the modem detects the voltage pulse from within the cable greater than zero, it interprets as 1; otherwise, it interprets as 0.


The analog signal is pictured as a wave signal. But physically, it's just a series of voltage pulses within a timeframe. The voltage generated within the cable continuously rises and drops again and again within a time interval so that the signal receiving device can conceptually interpret it as wave frequency.




Reference:

Basic Physics Terminology

Atom

It comes from the Greek word "Atomos". "A" means not and "tomos" means cut so atom means indivisible (unable to be divided). It's the basic building block of a matter. Atoms can join together to form a molecule.

Electric charge 

It can be negative (electron) or positive (proton). While opposite charges attract each other, the same charges repel each other.


Particle

A particle is the small piece of anything (from vocabulary.com). For example, oxygen and hydrogen are particles. A molecule can also be referred to as a particle. An atom is made up of three (sub) particles: neutron, proton, and electron.


Molecule

It's a particle made up of two or more atoms that are chemically bonded together. The number of atoms within a molecule is a determined number, and it identifies the particle. For example, a water molecule consists of two atoms of hydrogen linked by covalent bond to the same atom of oxygen.



Saturday, October 24, 2020

Samsung LCD monitor suddenly displays "Check Signal Cable"

 I've been using Macbook Pro 13'' 2011 connected to an external monitor (Samsung SyncMaster SA300) through HDMI to VGA adapter for a few years without any problem. Today, I cleaned my desk so I unplugged the monitor's cable to turn it off. When I'm finished, I plugged it back in and it showed "Check Signal Cable".

I checked everything like the power adapter and the cable connected the monitor to the HDMI to VGA adapter and they were all connected properly. Then, I disconnected them all and reconnected them back but it didn't work. I even restarted my machine but still no luck.

After that, I searched on the net and someone said that the monitor was not using VGA input. It was using DVI input by default when it turned on. The input means port/slot, I assumed. There are two ports at the back of the monitor: VGA and DVI. I was connecting my laptop to the monitor through VGA port but my monitor was expecting signal via DVI port. 

To solve it, I pressed the button on the monitor to switch it to using VGA input. The image below shows the button's icon in a yellow circle.




 



Saturday, October 10, 2020

Why does removing an element from a HashMap while iterating cause ConcurrentModificationException exception?

I'm reading about Java Concurrency from the book "OCP Oracle Certified Associate Java SE 8 Programmer II Study Guide  Exam 1Z0-809" by Boyarsky Jeanne, Selikoff Scott. It says that the code snippet below throws ConcurrentModificationException exception because it removed an element from the foodData hashmap while looping over its iterator. 

Map<String, Object> foodData = new HashMap<String, Object>();
foodData.put("penguin", 1);
foodData.put("flamingo", 2);

for(String key: foodData.keySet())
   foodData.remove(key);

It doesn't explain in details how this works, but it tells that the solution to this problem is using ConcurrentHashMap instead of HashMap. I found it interesting so I dug deeper.

At first, I wrote a program to run the code snippet above and I got the exception's stack trace below.

Exception in thread "main" java.util.ConcurrentModificationException
        at java.base/java.util.HashMap$HashIterator.nextNode(HashMap.java:1494)
        at java.base/java.util.HashMap$KeyIterator.next(HashMap.java:1517)
        at ConcurrentCollectionTest.main(ConcurrentCollectionTest.java:9)

It shows that the exception was thrown from within the HashIterator.nextNode() method, not the HashMap.remove() method as I thought. And below is the source code.

abstract class HashIterator {

Node<K,V> next;        // next entry to return
Node<K,V> current;     // current entry
int expectedModCount;  // for fast-fail
int index;             // current slot

HashIterator() {
expectedModCount = modCount;
Node<K,V>[] t = table;
current = next = null;
index = 0;
if (t != null && size > 0) { // advance to first entry
do {} while (index < t.length && (next = t[index++]) == null);
}
}

public final boolean hasNext() {
return next != null;
}

final Node<K,V> nextNode() {
Node<K,V>[] t;
Node<K,V> e = next;
if (modCount != expectedModCount)
throw new ConcurrentModificationException();
if (e == null)
throw new NoSuchElementException();
if ((next = (current = e).next) == null && (t = table) != null) {
do {} while (index < t.length && (next = t[index++]) == null);
}
return e;
}
...
}

The exception is thrown if the number of hash map's elements before iterating is different from while iterating (modCount != expectedModCount). This technique is called fail-fast. Java does this to prevent problems such as memory consistency errors. If the element is modified by the current thread while iterating, it should be ok. But, it can be updated by other threads so it can produce unexpected result. 

The collection classes with "Concurrent" prefix, for example ConcurrentHashMap, does not throw the exception when an update (adding or removing element) happens during iteration. This has weaker consistency than fail-fast behavior, but it's thread-safe and provides concurrent read from and write to the collection object (the blocks of code to do update operations are synchronized). The concurrent collection classes should be used when multiple threads modify the collection object outside of synchronized block or method. The concurrent collections is an alternative way to synchronized collections, which require locking on the monitor of the entire collection object, resulting one thread must wait for another even if they're calling different (synchronized) methods. 

The synchronized collections can be created using the methods of Collections class. For example, the synchronized hashmap can be instantiated by invoking the Collections.synchronizedMap() method.

The concurrent collections are thread-safe because all of their methods ensure happens-before relationship between threads as mentioned in this documentation
The methods of all classes in java.util.concurrent and its subpackages extend these guarantees to higher-level synchronization. In particular:
  • Actions in a thread prior to placing an object into any concurrent collection happen-before actions subsequent to the access or removal of that element from the collection in another thread.
  • Actions in a thread prior to the submission of a Runnable to an Executor happen-before its execution begins. Similarly for Callables submitted to an ExecutorService.
  • Actions taken by the asynchronous computation represented by a Future happen-before actions subsequent to the retrieval of the result via Future.get() in another thread.
  • Actions prior to "releasing" synchronizer methods such as Lock.unlockSemaphore.release, and CountDownLatch.countDown happen-before actions subsequent to a successful "acquiring" method such as Lock.lockSemaphore.acquireCondition.await, and CountDownLatch.await on the same synchronizer object in another thread.
  • For each pair of threads that successfully exchange objects via an Exchanger, actions prior to the exchange() in each thread happen-before those subsequent to the corresponding exchange() in another thread.
  • Actions prior to calling CyclicBarrier.await and Phaser.awaitAdvance (as well as its variants) happen-before actions performed by the barrier action, and actions performed by the barrier action happen-before actions subsequent to a successful return from the corresponding await in other threads.

Happens-before relationship means one thread finishes its execution before another thread starts its execution so there is no memory consistency errors (or race condition).

Tuesday, October 6, 2020

Assigning shortcut keys to existing macros in MS Word

This post is written based on MS Word 15 (running on Windows 8). Suppose I already have three macros defined as follows:

Sub Code()
    Selection.Font.Name = "Courier New"
    Selection.Font.Size = 9
End Sub

Sub CodeBackground()
    Selection.Shading.Texture = wdTextureNone
    Selection.Shading.ForegroundPatternColor = wdColorAutomatic
    Selection.Shading.BackgroundPatternColor = RGB(220,220,220)
End Sub

Sub Body()
    Selection.Font.Name = "Times New Roman"
    Selection.Font.Size = 11
End Sub
And I want to reassign a new shortcut key to each macro function above.

1. Right click on the menu bar and select Customize the Ribbon...


2. From the Customize Ribbon dialog box, click on Customize... button


3. When the Customize Keyboard opens:
> choose Macros from the Categories list box 
> select the macro name (for example, Code) in the Macros list box on the right
> click on "Press new shortcut key" textbox and press any shortcut key, for example, Ctrl + 0.
> click on the Assign button (it assigns Ctrl + 0 shortcut key to the selected macro named Code).