diff --git a/py_dbcn/connectors/core/clauses.py b/py_dbcn/connectors/core/clauses.py
index 81cc7fe3d8884ed5aa85de4c021167bfbce961d6..75d0ae9101d57603d7685ba781342320a9ba2992 100644
--- a/py_dbcn/connectors/core/clauses.py
+++ b/py_dbcn/connectors/core/clauses.py
@@ -3,7 +3,7 @@ Helper classes to build and store clause logic for queries.
 """
 
 # System Imports.
-import re
+import datetime, re
 from io import StringIO
 from tokenize import (
     generate_tokens,
@@ -18,7 +18,7 @@ from tokenize import (
 
 class BaseClauseBuilder(object):
     """"""
-    def __init__(self, validation_class, clause, clause_type, *args, **kwargs):
+    def __init__(self, validation_class, clause_type, *args, **kwargs):
         # Call parent logic.
         super().__init__(*args, **kwargs)
 
@@ -42,7 +42,8 @@ class BaseClauseBuilder(object):
         self._clause_array = []
         self._sanitized_clause = None
         self._print_parens = True
-        self.array = clause
+        self._always_quote = True
+        self._allow_spaces = False
 
     def __str__(self):
         if len(self.array) > 0:
@@ -80,7 +81,6 @@ class BaseClauseBuilder(object):
 
     def _to_array(self, value):
         """Converts clause to array format for initial parsing."""
-
         if self._clause_prefix is None:
             raise NotImplementedError('Query type {0} missing clause_prefix value.'.format(self.__class__))
         if self._print_prefix is None:
@@ -88,6 +88,9 @@ class BaseClauseBuilder(object):
         if self._quote_format is None:
             raise NotImplementedError('Query type {0} missing quote_format value.'.format(self.__class__))
 
+        print('')
+        print('original val: {0}'.format(value))
+
         if isinstance(value, list):
             # Already list format.
             clause = value
@@ -122,6 +125,13 @@ class BaseClauseBuilder(object):
                     elif clause.upper().startswith('{0} '.format(self._clause_prefix)):
                         clause = clause[(len(self._clause_prefix) + 1):]
 
+                    # Check if starts with brackets only and no prefix.
+                    elif (
+                        clause.startswith('(') and clause.endswith(')')
+                        or clause.startswith('[') and clause.endswith(']')
+                    ):
+                        clause = clause[1:-1]
+
                 # Convert to list.
                 clause = clause.split(',')
                 for index in range(len(clause)):
@@ -140,6 +150,22 @@ class BaseClauseBuilder(object):
             # Handle any other clause that is non-empty.
             new_clause = []
             for item in clause:
+
+                # Handle various specific types.
+                if isinstance(item, datetime.datetime):
+                    # Is a datetime object. Convert to string.
+                    item = "'{0}'".format(item.strftime('%Y-%m-%d %H:%M:%S'))
+
+                elif isinstance(item, datetime.date):
+                    # Is a date object. Convert to string.
+                    item = "'{0}'".format(item.strftime('%Y-%m-%d'))
+
+                # Skip handling for other non-str items.
+                elif not isinstance(item, str):
+                    new_clause.append(item)
+                    continue
+
+                # If we made it this far, then item is a str (or converted to such).
                 item = str(item).strip()
 
                 # Strip out function values.
@@ -192,21 +218,38 @@ class BaseClauseBuilder(object):
                         item = item[:-5].rstrip()
                         order_by_descriptor = ' DESC'
 
+                print('')
+                print('item: {0}'.format(item))
+
                 # If we made it this far, item is valid. Escape with proper quote format and readd.
+                is_quoted = False
                 if self.is_quoted(item):
                     item = item[1:-1].strip()
+                    is_quoted = True
+
+                # Check if apostrophe in value.
+                if "'" in item:
+                    item.replace("'", '\0027')
 
                 # Skip items that are empty. Otherwise append.
                 if len(item) > 0:
+                    print('')
+                    print('item: {0}'.format(item))
+                    print('is_quoted: {0}'.format(is_quoted))
                     if item != '*':
                         # Readd quotes in proper format.
                         # Account for statements that may have multiple parts (denoted by spaces).
-                        item_split = item.split(' ')
-                        item = '{1}{0}{1}'.format(item_split.pop(0), self._quote_format)
-                        while len(item_split) > 0:
-                            item_split_part = item_split.pop(0).strip()
-                            if len(item_split_part) > 0:
-                                item = '{0} {1}'.format(item, item_split_part)
+                        if not self._allow_spaces:
+                            item_split = item.split(' ')
+                            if self._always_quote or is_quoted:
+                                item = '{1}{0}{1}'.format(item_split.pop(0), self._quote_format)
+                            while len(item_split) > 0:
+                                item_split_part = item_split.pop(0).strip()
+                                if len(item_split_part) > 0:
+                                    item = '{0} {1}'.format(item, item_split_part)
+                        else:
+                            if self._always_quote or is_quoted:
+                                item = '{1}{0}{1}'.format(item, self._quote_format)
 
                     # Readd identifiers in proper format.
                     item = '{0}{1}{2}'.format(item, cast_identifier, order_by_descriptor)
@@ -249,14 +292,17 @@ class BaseClauseBuilder(object):
 
 class SelectClauseBuilder(BaseClauseBuilder):
     """"""
-    def __init__(self, *args, clause_type='SELECT', **kwargs):
+    def __init__(self, validation_class, clause, *args, clause_type='SELECT', **kwargs):
         # Pre-parent-call initialize values.
         self._clause_prefix = ''
         self._print_prefix = ''
         self._quote_format = '"'
 
         # Call parent logic.
-        super().__init__(*args, clause_type=clause_type, **kwargs)
+        super().__init__(validation_class, *args, clause_type=clause_type, **kwargs)
+
+        # Process and save provided clause.
+        self.array = clause
 
     def __str__(self):
         # Handle for all-star return.
@@ -285,14 +331,17 @@ class SelectClauseBuilder(BaseClauseBuilder):
 
 class WhereClauseBuilder(BaseClauseBuilder):
     """"""
-    def __init__(self, *args, clause_type='WHERE', **kwargs):
+    def __init__(self, validation_class, clause, *args, clause_type='WHERE', **kwargs):
         # Pre-parent-call initialize values.
         self._clause_prefix = 'WHERE'
         self._print_prefix = 'WHERE '
         self._quote_format = '"'
 
         # Call parent logic.
-        super().__init__(*args, clause_type=clause_type, **kwargs)
+        super().__init__(validation_class, *args, clause_type=clause_type, **kwargs)
+
+        # Process and save provided clause.
+        self.array = clause
 
     def __str__(self):
         if len(self.array) > 0:
@@ -391,14 +440,17 @@ class WhereClauseBuilder(BaseClauseBuilder):
 
 class ColumnsClauseBuilder(BaseClauseBuilder):
     """"""
-    def __init__(self, *args, clause_type='COLUMNS', **kwargs):
+    def __init__(self, validation_class, clause, *args, clause_type='COLUMNS', **kwargs):
         # Pre-parent-call initialize values.
         self._clause_prefix = 'COLUMNS'
         self._print_prefix = ''
         self._quote_format = '"'
 
         # Call parent logic.
-        super().__init__(*args, clause_type=clause_type, **kwargs)
+        super().__init__(validation_class, *args, clause_type=clause_type, **kwargs)
+
+        # Process and save provided clause.
+        self.array = clause
 
     def _to_array(self, value):
         # Call parent logic.
@@ -411,29 +463,60 @@ class ColumnsClauseBuilder(BaseClauseBuilder):
 
 class ValuesClauseBuilder(BaseClauseBuilder):
     """"""
-    def __init__(self, *args, clause_type='VALUES', **kwargs):
+    def __init__(self, validation_class, clause, *args, clause_type='VALUES', **kwargs):
         # Pre-parent-call initialize values.
         self._clause_prefix = 'VALUES'
         self._print_prefix = 'VALUES '
+        self._quote_format = "'"
 
         # Call parent logic.
-        super().__init__(*args, clause_type=clause_type, **kwargs)
+        super().__init__(validation_class, *args, clause_type=clause_type, **kwargs)
+
+        # Post-parent-call initialize values.
+        self._always_quote = False
+        self._allow_spaces = True
+
+        # Process and save provided clause.
+        self.array = clause
+
+
+class SetClauseBuilder(BaseClauseBuilder):
+    """"""
+    def __init__(self, validation_class, clause, *args, clause_type='VALUES', **kwargs):
+        # Pre-parent-call initialize values.
+        self._clause_prefix = 'SET'
+        self._print_prefix = 'SET '
+        self._quote_format = '"'
+
+        # Call parent logic.
+        super().__init__(validation_class, *args, clause_type=clause_type, **kwargs)
+
+        # Post-parent-call initialize values.
+        self._print_parens = False
+        self._always_quote = True
+        self._allow_spaces = False
+
+        # Process and save provided clause.
+        self.array = clause
 
 
 class OrderByClauseBuilder(BaseClauseBuilder):
     """"""
-    def __init__(self, *args, clause_type='ORDER_BY', **kwargs):
+    def __init__(self, validation_class, clause, *args, clause_type='ORDER_BY', **kwargs):
         # Pre-parent-call initialize values.
         self._clause_prefix = 'ORDER BY'
         self._print_prefix = 'ORDER BY '
         self._quote_format = '"'
 
         # Call parent logic.
-        super().__init__(*args, clause_type=clause_type, **kwargs)
+        super().__init__(validation_class, *args, clause_type=clause_type, **kwargs)
 
         # Post-parent-call initialize values.
         self._print_parens = False
 
+        # Process and save provided clause.
+        self.array = clause
+
     def __str__(self):
         if len(self.array) > 0:
             # Call parent logic.
diff --git a/py_dbcn/connectors/core/records.py b/py_dbcn/connectors/core/records.py
index 698a9e34c3575294a69eb66e31a35764bdfdc57a..40bfaf955c12dbe01efdc22fc6193b4f81e413b7 100644
--- a/py_dbcn/connectors/core/records.py
+++ b/py_dbcn/connectors/core/records.py
@@ -99,36 +99,14 @@ class BaseRecords:
         # Check that provided VALUES clause is valid format.
         values_clause = self._base.validate.sanitize_values_clause(values_clause)
 
-        # Check for values that might need formatting.
-        # For example, if we find date/datetime objects, we automatically convert to a str value that won't error.
-        if isinstance(values_clause, list) or isinstance(values_clause, tuple):
-            updated_values_clause = ()
-            for item in values_clause:
-
-                if isinstance(item, datetime.datetime):
-                    # Is a datetime object. Convert to string.
-                    item = item.strftime('%Y-%m-%d %H:%M:%S')
-                elif isinstance(item, datetime.date):
-                    # Is a date object. Convert to string.
-                    item = item.strftime('%Y-%m-%d')
-
-                # # Handle if quote in item.
-                # if isinstance(item, str) and "'" in item:
-                #     item = """E'{0}'""".format(item)
-
-                # Add item to updated clause.
-                updated_values_clause += (item,)
-
-            # Replace original clause.
-            values_clause = updated_values_clause
-
         # Insert record.
         query = textwrap.dedent(
             """
             INSERT INTO {0}{1}
-            VALUES {2};
+            {2};
             """.format(table_name, columns_clause, values_clause)
         )
+
         results = self._base.query.execute(query, display_query=display_query)
         if display_results:
             self._base.display.results('{0}'.format(results))
@@ -151,31 +129,7 @@ class BaseRecords:
         if len(values_clause) < 1:
             raise ValueError('VALUES clause cannot be empty for INSERT_MANY queries.')
         values_clause = self._base.validate.sanitize_values_clause(values_clause)
-
-        # Check for values that might need formatting.
-        # For example, if we find date/datetime objects, we automatically convert to a str value that won't error.
-        if isinstance(values_clause, list) or isinstance(values_clause, tuple):
-            updated_values_clause = ()
-
-            # Check each sub-item.
-            for item in values_clause:
-
-                if isinstance(item, datetime.datetime):
-                    # Is a datetime object. Convert to string.
-                    item = item.strftime('%Y-%m-%d %H:%M:%S')
-                elif isinstance(item, datetime.date):
-                    # Is a date object. Convert to string.
-                    item = item.strftime('%Y-%m-%d')
-
-                # Add item to updated clause.
-                updated_values_clause += (item,)
-
-            # Replace original clause.
-            values_clause = updated_values_clause
-        else:
-            raise ValueError('In an execute_many, values clause must be a list or tuple.')
-
-        values_context = ', '.join('%s' for i in range(len(values_clause[0])))
+        values_context = ', '.join('%s' for i in range(len(values_clause.array[0])))
 
         # Insert record.
         query = textwrap.dedent(
@@ -184,7 +138,8 @@ class BaseRecords:
             VALUES ({2});
             """.format(table_name, columns_clause, values_context)
         )
-        results = self._base.query.execute_many(query, values_clause, display_query=display_query)
+
+        results = self._base.query.execute_many(query, values_clause.array, display_query=display_query)
         if display_results:
             self._base.display.results('{0}'.format(results))
 
@@ -204,35 +159,16 @@ class BaseRecords:
             raise ValueError('Invalid table name of "{0}".'.format(table_name))
 
         # Check that provided VALUES clause is valid format.
-        values_clause = self._base.validate.sanitize_values_clause(values_clause)
+        values_clause = self._base.validate.sanitize_set_clause(values_clause)
 
         # Check that provided WHERE clause is valid format.
         where_clause = self._base.validate.sanitize_where_clause(where_clause)
 
-        # Check for values that might need formatting.
-        # For example, if we find date/datetime objects, we automatically convert to a str value that won't error.
-        if isinstance(values_clause, list) or isinstance(values_clause, tuple):
-            updated_values_clause = ()
-            for item in values_clause:
-
-                if isinstance(item, datetime.datetime):
-                    # Is a datetime object. Convert to string.
-                    item = item.strftime('%Y-%m-%d %H:%M:%S')
-                elif isinstance(item, datetime.date):
-                    # Is a date object. Convert to string.
-                    item = item.strftime('%Y-%m-%d')
-
-                # Add item to updated clause.
-                updated_values_clause += (item,)
-
-            # Replace original clause.
-            values_clause = updated_values_clause
-
         # Update record.
         query = textwrap.dedent(
             """
             UPDATE {0}
-            SET {1}{2};
+            {1}{2};
             """.format(table_name, values_clause, where_clause)
         )
         self._base.query.execute(query, display_query=display_query)
diff --git a/py_dbcn/connectors/core/validate.py b/py_dbcn/connectors/core/validate.py
index 6792a97569e10412172aba95989bb76e3b949e0a..f4820b1e845927f4876639ec8c328092d69208a7 100644
--- a/py_dbcn/connectors/core/validate.py
+++ b/py_dbcn/connectors/core/validate.py
@@ -359,8 +359,10 @@ class BaseValidate:
         :param clause: VALUES clause to validate.
         :return: Properly formatted clause if possible, otherwise error.
         """
-        # For now, always return as valid.
-        return clause
+        return clauses.ValuesClauseBuilder(self, clause)
+
+    def sanitize_set_clause(self, clause):
+        return clauses.SetClauseBuilder(self, clause)
 
         # # TODO: Attempted to have full, dynamic validation of entire clause and all inner values.
         # #   However, had too many cases where it would break, due to being able to essentially put in anything.
diff --git a/py_dbcn/connectors/postgresql/records.py b/py_dbcn/connectors/postgresql/records.py
index 72692f099ef3f9cf67c5f7f8ade61a32e536f875..86648acf20d60ee80c79770da249487c8ac948f8 100644
--- a/py_dbcn/connectors/postgresql/records.py
+++ b/py_dbcn/connectors/postgresql/records.py
@@ -92,29 +92,6 @@ class PostgresqlRecords(BaseRecords):
                     )
                 )
 
-        # Check for values that might need formatting.
-        # For example, if we find date/datetime objects, we automatically convert to a str value that won't error.
-        updated_values_clause = ()
-        for value_set in values_clause:
-            updated_values_set = ()
-            for item in value_set:
-
-                if isinstance(item, datetime.datetime):
-                    # Is a datetime object. Convert to string.
-                    item = item.strftime('%Y-%m-%d %H:%M:%S')
-                elif isinstance(item, datetime.date):
-                    # Is a date object. Convert to string.
-                    item = item.strftime('%Y-%m-%d')
-
-                # Add item to updated inner set.
-                updated_values_set += (item,)
-
-            # Add item to updated clause.
-            updated_values_clause += (updated_values_set,)
-
-        # Replace original clause.
-        values_clause = updated_values_clause
-
         # Now format our clauses for query.
         if column_types_clause is not None:
             # Provide type hinting for columns.
@@ -134,7 +111,7 @@ class PostgresqlRecords(BaseRecords):
             ])
         values_clause = ',\n'.join([
             '    {0}'.format(x)
-            for x in values_clause
+            for x in values_clause.array
         ])
         columns_clause = ', '.join([
             '"{0}"'.format(x.strip(self._base.validate._quote_column_format))
diff --git a/tests/connectors/core/test_clauses.py b/tests/connectors/core/test_clauses.py
index e359f6c72047f36a5842b775c0e613795135ff30..4f1eced620765325bf049341952ee0294721ec3a 100644
--- a/tests/connectors/core/test_clauses.py
+++ b/tests/connectors/core/test_clauses.py
@@ -184,6 +184,15 @@ class CoreClauseTestMixin:
             self.assertEqual([""""id" = 'test'""", """"code" = 1234""", """"name" = 'Test User'"""], clause_object.array)
             self.assertText("""WHERE ("id" = 'test') AND ("code" = 1234) AND ("name" = 'Test User')""", str(clause_object))
 
+        with self.subTest('WHERE containing various quote types'):
+            clause_object = self.connector.validate.clauses.WhereClauseBuilder(validation_class, ("""name = '2" nail'""", """description = '2 inch nail'"""""))
+            self.assertEqual([""""name" = '2" nail'""", """"description" = '2 inch nail'"""], clause_object.array)
+            self.assertText("""WHERE ("name" = '2" nail') AND ("description" = '2 inch nail')""", str(clause_object))
+
+            clause_object = self.connector.validate.clauses.WhereClauseBuilder(validation_class, ("""name = '1\' ruler'""", """description = '1 foot ruler'"""""))
+            self.assertEqual([""""name" = '1\' ruler'""", """"description" = '1 foot ruler'"""], clause_object.array)
+            self.assertText("""WHERE ("name" = '1\' ruler') AND ("description" = '1 foot ruler')""", str(clause_object))
+
     def test__clause__columns(self):
         """Test logic for parsing a COLUMNS clause."""
         validation_class = self.connector.validate
@@ -284,6 +293,86 @@ class CoreClauseTestMixin:
         """Test logic for paring a VALUES clause."""
         validation_class = self.connector.validate
 
+        with self.subTest('VALUES clause as Empty'):
+            # With passing none.
+            clause_object = self.connector.validate.clauses.ValuesClauseBuilder(validation_class, None)
+            self.assertEqual([], clause_object.array)
+            self.assertText('', str(clause_object))
+
+            # With empty single-quote string.
+            clause_object = self.connector.validate.clauses.ValuesClauseBuilder(validation_class, '')
+            self.assertEqual([], clause_object.array)
+            self.assertText('', str(clause_object))
+
+            # With empty double-quote string.
+            clause_object = self.connector.validate.clauses.ValuesClauseBuilder(validation_class, "")
+            self.assertEqual([], clause_object.array)
+            self.assertText('', str(clause_object))
+
+            # With emtpy triple double-quote string.
+            clause_object = self.connector.validate.clauses.ValuesClauseBuilder(validation_class, """""")
+            self.assertEqual([], clause_object.array)
+            self.assertText('', str(clause_object))
+
+        with self.subTest('Basic VALUES clause - As str'):
+            # With no quotes.
+            # NOTE: To account for things like ints, we do not do space formatting unless they're already provided.
+            clause_object = self.connector.validate.clauses.ValuesClauseBuilder(validation_class, """test""")
+            self.assertEqual(["""test"""], clause_object.array)
+            self.assertText("""VALUES (test)""", str(clause_object))
+
+            # With single quotes.
+            clause_object = self.connector.validate.clauses.ValuesClauseBuilder(validation_class, """'test'""")
+            self.assertEqual(["""'test'"""], clause_object.array)
+            self.assertText("""VALUES ('test')""", str(clause_object))
+
+            # With double quotes.
+            clause_object = self.connector.validate.clauses.ValuesClauseBuilder(validation_class, """"test\"""")
+            self.assertEqual(["""'test'"""], clause_object.array)
+            self.assertText("""VALUES ('test')""", str(clause_object))
+
+            # With backtick quotes.
+            clause_object = self.connector.validate.clauses.ValuesClauseBuilder(validation_class, """`test`""")
+            self.assertEqual(["""'test'"""], clause_object.array)
+            self.assertText("""VALUES ('test')""", str(clause_object))
+
+            clause_object = self.connector.validate.clauses.ValuesClauseBuilder(validation_class, """'test', 1234, 'Test User'""")
+            self.assertEqual(["""'test'""", """1234""", """'Test User'"""], clause_object.array)
+            self.assertText("""VALUES ('test', 1234, 'Test User')""", str(clause_object))
+
+        with self.subTest('Basic VALUES clause - As list'):
+            clause_object = self.connector.validate.clauses.ValuesClauseBuilder(validation_class, ["""'test'"""])
+            self.assertEqual(["""'test'"""], clause_object.array)
+            self.assertText("""VALUES ('test')""", str(clause_object))
+
+            clause_object = self.connector.validate.clauses.ValuesClauseBuilder(
+                validation_class,
+                ["""'test'""", """1234""", """'Test User'"""],
+            )
+            self.assertEqual(["""'test'""", """1234""", """'Test User'"""], clause_object.array)
+            self.assertText("""VALUES ('test', 1234, 'Test User')""", str(clause_object))
+
+        with self.subTest('Basic VALUES clause - As tuple'):
+            clause_object = self.connector.validate.clauses.ValuesClauseBuilder(validation_class, ("""'test'""",))
+            self.assertEqual(["""'test'"""], clause_object.array)
+            self.assertText("""VALUES ('test')""", str(clause_object))
+
+            clause_object = self.connector.validate.clauses.ValuesClauseBuilder(
+                validation_class,
+                ("""'test'""", """1234""", """'Test User'"""),
+            )
+            self.assertEqual(["""'test'""", """1234""", """'Test User'"""], clause_object.array)
+            self.assertText("""VALUES ('test', 1234, 'Test User')""", str(clause_object))
+
+        with self.subTest('VALUES containing various quote types'):
+            clause_object = self.connector.validate.clauses.ValuesClauseBuilder(validation_class, ("""'2" nail'""", """'2 inch nail'"""""))
+            self.assertEqual(["""'2" nail'""", """'2 inch nail'"""], clause_object.array)
+            self.assertText("""VALUES ('2" nail', '2 inch nail')""", str(clause_object))
+
+            clause_object = self.connector.validate.clauses.ValuesClauseBuilder(validation_class, ("""'1\' ruler'""", """'1 foot ruler'"""""))
+            self.assertEqual(["""'1\' ruler'""", """'1 foot ruler'"""], clause_object.array)
+            self.assertText("""VALUES ('1\' ruler', '1 foot ruler')""", str(clause_object))
+
     def test__clause__order_by(self):
         """Test logic for parsing an ORDER BY clause."""
         validation_class = self.connector.validate
diff --git a/tests/connectors/core/test_display.py b/tests/connectors/core/test_display.py
index 7f43894f7b87218974ad8c439a97a1188a9b87b1..a0d907fb556aeebb304ca4ddabbcc9c9a502672e 100644
--- a/tests/connectors/core/test_display.py
+++ b/tests/connectors/core/test_display.py
@@ -203,8 +203,8 @@ class CoreDisplayTablesTestMixin:
             # Capture logging output.
             with self.assertLogs(None, 'QUERY') as qlog:
                 self.connector.tables.show()
-            self.assertText(self.get_logging_output(qlog, 0), show_tables_query)
-            self.assertText(self.get_logging_output(qlog, 1), '{0}Empty Set{1}'.format(OUTPUT_RESULTS, OUTPUT_RESET))
+            self.assertText(show_tables_query, self.get_logging_output(qlog, 0))
+            self.assertText('{0}Empty Set{1}'.format(OUTPUT_RESULTS, OUTPUT_RESET), self.get_logging_output(qlog, 1))
 
         with self.subTest('Db name longer - Pt 1'):
             # Create table.
@@ -213,10 +213,10 @@ class CoreDisplayTablesTestMixin:
             # Capture logging output.
             with self.assertLogs(None, 'INFO') as ilog:
                 self.connector.tables.show()
-            self.assertText(self.get_logging_output(ilog, 0), show_tables_query)
+            self.assertText(show_tables_query, self.get_logging_output(ilog, 0))
             self.assertText(
-                self.get_logging_output(ilog, 1),
                 '{0}{1}{2}'.format(OUTPUT_RESULTS, self.expected_output.tables.SHOW__DB_LONGER__PT_1, OUTPUT_RESET),
+                self.get_logging_output(ilog, 1),
             )
 
         with self.subTest('Db name longer - Pt 2'):
@@ -226,10 +226,10 @@ class CoreDisplayTablesTestMixin:
             # Capture logging output.
             with self.assertLogs(None, 'INFO') as ilog:
                 self.connector.tables.show()
-            self.assertText(self.get_logging_output(ilog, 0), show_tables_query)
+            self.assertText(show_tables_query, self.get_logging_output(ilog, 0))
             self.assertText(
-                self.get_logging_output(ilog, 1),
                 '{0}{1}{2}'.format(OUTPUT_RESULTS, self.expected_output.tables.SHOW__DB_LONGER__PT_2, OUTPUT_RESET),
+                self.get_logging_output(ilog, 1),
             )
 
         with self.subTest('Db name longer - Pt 3'):
@@ -239,10 +239,10 @@ class CoreDisplayTablesTestMixin:
             # Capture logging output.
             with self.assertLogs(None, 'INFO') as ilog:
                 self.connector.tables.show()
-            self.assertText(self.get_logging_output(ilog, 0), show_tables_query)
+            self.assertText(show_tables_query, self.get_logging_output(ilog, 0))
             self.assertText(
-                self.get_logging_output(ilog, 1),
                 '{0}{1}{2}'.format(OUTPUT_RESULTS, self.expected_output.tables.SHOW__DB_LONGER__PT_3, OUTPUT_RESET),
+                self.get_logging_output(ilog, 1),
             )
 
         with self.subTest('Db name and table name equal length'):
@@ -256,10 +256,10 @@ class CoreDisplayTablesTestMixin:
             # Capture logging output.
             with self.assertLogs(None, 'INFO') as ilog:
                 self.connector.tables.show()
-            self.assertText(self.get_logging_output(ilog, 0), show_tables_query)
+            self.assertText(show_tables_query, self.get_logging_output(ilog, 0))
             self.assertText(
-                self.get_logging_output(ilog, 1),
                 '{0}{1}{2}'.format(OUTPUT_RESULTS, self.expected_output.tables.SHOW__EQUAL_LENGTH, OUTPUT_RESET),
+                self.get_logging_output(ilog, 1),
             )
 
         with self.subTest('Table name longer - Pt 1'):
@@ -273,10 +273,10 @@ class CoreDisplayTablesTestMixin:
             # Capture logging output.
             with self.assertLogs(None, 'INFO') as ilog:
                 self.connector.tables.show()
-            self.assertText(self.get_logging_output(ilog, 0), show_tables_query)
+            self.assertText(show_tables_query, self.get_logging_output(ilog, 0))
             self.assertText(
-                self.get_logging_output(ilog, 1),
                 '{0}{1}{2}'.format(OUTPUT_RESULTS, self.expected_output.tables.SHOW__TABLE_LONGER__PT_1, OUTPUT_RESET),
+                self.get_logging_output(ilog, 1),
             )
 
         with self.subTest('Table name longer - Pt 2'):
@@ -286,10 +286,10 @@ class CoreDisplayTablesTestMixin:
             # Capture logging output.
             with self.assertLogs(None, 'INFO') as ilog:
                 self.connector.tables.show()
-            self.assertText(self.get_logging_output(ilog, 0), show_tables_query)
+            self.assertText(show_tables_query, self.get_logging_output(ilog, 0))
             self.assertText(
-                self.get_logging_output(ilog, 1),
                 '{0}{1}{2}'.format(OUTPUT_RESULTS, self.expected_output.tables.SHOW__TABLE_LONGER__PT_2, OUTPUT_RESET),
+                self.get_logging_output(ilog, 1),
             )
 
         with self.subTest('Table name longer - Pt 3'):
@@ -303,10 +303,10 @@ class CoreDisplayTablesTestMixin:
             # Capture logging output.
             with self.assertLogs(None, 'INFO') as ilog:
                 self.connector.tables.show()
-            self.assertText(self.get_logging_output(ilog, 0), show_tables_query)
+            self.assertText(show_tables_query, self.get_logging_output(ilog, 0))
             self.assertText(
-                self.get_logging_output(ilog, 1),
                 '{0}{1}{2}'.format(OUTPUT_RESULTS, self.expected_output.tables.SHOW__TABLE_LONGER__PT_3, OUTPUT_RESET),
+                self.get_logging_output(ilog, 1),
             )
 
     def test__display__describe_tables(self):
@@ -325,10 +325,10 @@ class CoreDisplayTablesTestMixin:
             # Capture logging output.
             with self.assertLogs(None, 'INFO') as ilog:
                 self.connector.tables.describe('category')
-            self.assertText(self.get_logging_output(ilog, 0), describe_table_query)
+            self.assertText(describe_table_query, self.get_logging_output(ilog, 0))
             self.assertText(
-                self.get_logging_output(ilog, 1),
                 '{0}{1}{2}'.format(OUTPUT_RESULTS, self.expected_output.tables.DESCRIBE__COLS_ID, OUTPUT_RESET),
+                self.get_logging_output(ilog, 1),
             )
 
         with self.subTest('With id, name'):
@@ -338,10 +338,10 @@ class CoreDisplayTablesTestMixin:
             # Capture logging output.
             with self.assertLogs(None, 'INFO') as ilog:
                 self.connector.tables.describe('category')
-            self.assertText(self.get_logging_output(ilog, 0), describe_table_query)
+            self.assertText(describe_table_query, self.get_logging_output(ilog, 0))
             self.assertText(
-                self.get_logging_output(ilog, 1),
                 '{0}{1}{2}'.format(OUTPUT_RESULTS, self.expected_output.tables.DESCRIBE__COLS_ID_NAME, OUTPUT_RESET),
+                self.get_logging_output(ilog, 1),
             )
 
         with self.subTest('With id, name, desc'):
@@ -351,10 +351,10 @@ class CoreDisplayTablesTestMixin:
             # Capture logging output.
             with self.assertLogs(None, 'INFO') as ilog:
                 self.connector.tables.describe('category')
-            self.assertText(self.get_logging_output(ilog, 0), describe_table_query)
+            self.assertText(describe_table_query, self.get_logging_output(ilog, 0))
             self.assertText(
-                self.get_logging_output(ilog, 1),
                 '{0}{1}{2}'.format(OUTPUT_RESULTS, self.expected_output.tables.DESCRIBE__COLS_ID_NAME_DESC, OUTPUT_RESET),
+                self.get_logging_output(ilog, 1),
             )
 
 
@@ -383,14 +383,17 @@ class CoreDisplayRecordsMixin:
             # Capture logging output.
             with self.assertLogs(None, 'INFO') as ilog:
                 self.connector.records.select('category')
-            self.assertText(self.get_logging_output(ilog, 0), select_from_query)
+            self.assertText(select_from_query, self.get_logging_output(ilog, 0))
             self.assertText(
-                self.get_logging_output(ilog, 1),
                 '{0}Empty Set{1}'.format(OUTPUT_RESULTS, OUTPUT_RESET),
+                self.get_logging_output(ilog, 1),
             )
 
         with self.subTest('With 1 record present'):
             # Create record.
+            print('quote_str_literal_format: {0}'.format(self.connector.validate._quote_str_literal_format))
+            print('')
+            print('insert str: {0}'.format('(1, {0}tn{0}, {0}td{0})'.format(self.connector.validate._quote_str_literal_format)))
             self.connector.records.insert(
                 'category',
                 '(1, {0}tn{0}, {0}td{0})'.format(self.connector.validate._quote_str_literal_format),
@@ -400,10 +403,10 @@ class CoreDisplayRecordsMixin:
             # Capture logging output.
             with self.assertLogs(None, 'INFO') as ilog:
                 self.connector.records.select('category')
-            self.assertText(self.get_logging_output(ilog, 0), select_from_query)
+            self.assertText(select_from_query, self.get_logging_output(ilog, 0))
             self.assertText(
-                self.get_logging_output(ilog, 1),
                 '{0}{1}{2}'.format(OUTPUT_RESULTS, self.expected_output.records.SELECT__PT_1, OUTPUT_RESET),
+                self.get_logging_output(ilog, 1),
             )
 
         with self.subTest('With 2 records present'):
@@ -417,10 +420,10 @@ class CoreDisplayRecordsMixin:
             # Capture logging output.
             with self.assertLogs(None, 'INFO') as ilog:
                 self.connector.records.select('category')
-            self.assertText(self.get_logging_output(ilog, 0), select_from_query)
+            self.assertText(select_from_query, self.get_logging_output(ilog, 0))
             self.assertText(
-                self.get_logging_output(ilog, 1),
                 '{0}{1}{2}'.format(OUTPUT_RESULTS, self.expected_output.records.SELECT__PT_2, OUTPUT_RESET),
+                self.get_logging_output(ilog, 1),
             )
 
         with self.subTest('With 3 records present'):
@@ -434,10 +437,10 @@ class CoreDisplayRecordsMixin:
             # Capture logging output.
             with self.assertLogs(None, 'INFO') as ilog:
                 self.connector.records.select('category')
-            self.assertText(self.get_logging_output(ilog, 0), select_from_query)
+            self.assertText(select_from_query, self.get_logging_output(ilog, 0))
             self.assertText(
-                self.get_logging_output(ilog, 1),
                 '{0}{1}{2}'.format(OUTPUT_RESULTS, self.expected_output.records.SELECT__PT_3, OUTPUT_RESET),
+                self.get_logging_output(ilog, 1),
             )
 
         with self.subTest('With 4 records present'):
@@ -451,10 +454,10 @@ class CoreDisplayRecordsMixin:
             # Capture logging output.
             with self.assertLogs(None, 'INFO') as ilog:
                 self.connector.records.select('category')
-            self.assertText(self.get_logging_output(ilog, 0), select_from_query)
+            self.assertText(select_from_query, self.get_logging_output(ilog, 0))
             self.assertText(
-                self.get_logging_output(ilog, 1),
                 '{0}{1}{2}'.format(OUTPUT_RESULTS, self.expected_output.records.SELECT__PT_4, OUTPUT_RESET),
+                self.get_logging_output(ilog, 1),
             )
 
         with self.subTest('With 5 records present'):
@@ -468,10 +471,10 @@ class CoreDisplayRecordsMixin:
             # Capture logging output.
             with self.assertLogs(None, 'INFO') as ilog:
                 self.connector.records.select('category')
-            self.assertText(self.get_logging_output(ilog, 0), select_from_query)
+            self.assertText(select_from_query, self.get_logging_output(ilog, 0))
             self.assertText(
-                self.get_logging_output(ilog, 1),
                 '{0}{1}{2}'.format(OUTPUT_RESULTS, self.expected_output.records.SELECT__PT_5, OUTPUT_RESET),
+                self.get_logging_output(ilog, 1),
             )
 
         with self.subTest('With 6 records present'):
@@ -485,10 +488,10 @@ class CoreDisplayRecordsMixin:
             # Capture logging output.
             with self.assertLogs(None, 'INFO') as ilog:
                 self.connector.records.select('category')
-            self.assertText(self.get_logging_output(ilog, 0), select_from_query)
+            self.assertText(select_from_query, self.get_logging_output(ilog, 0))
             self.assertText(
-                self.get_logging_output(ilog, 1),
                 '{0}{1}{2}'.format(OUTPUT_RESULTS, self.expected_output.records.SELECT__PT_6, OUTPUT_RESET),
+                self.get_logging_output(ilog, 1),
             )
 
         with self.subTest('With 7 records present'):
@@ -502,10 +505,10 @@ class CoreDisplayRecordsMixin:
             # Capture logging output.
             with self.assertLogs(None, 'INFO') as ilog:
                 self.connector.records.select('category')
-            self.assertText(self.get_logging_output(ilog, 0), select_from_query)
+            self.assertText(select_from_query, self.get_logging_output(ilog, 0))
             self.assertText(
-                self.get_logging_output(ilog, 1),
                 '{0}{1}{2}'.format(OUTPUT_RESULTS, self.expected_output.records.SELECT__PT_7, OUTPUT_RESET),
+                self.get_logging_output(ilog, 1),
             )
 
         with self.subTest('With 8 records present'):
@@ -519,10 +522,10 @@ class CoreDisplayRecordsMixin:
             # Capture logging output.
             with self.assertLogs(None, 'INFO') as ilog:
                 self.connector.records.select('category')
-            self.assertText(self.get_logging_output(ilog, 0), select_from_query)
+            self.assertText(select_from_query, self.get_logging_output(ilog, 0))
             self.assertText(
-                self.get_logging_output(ilog, 1),
                 '{0}{1}{2}'.format(OUTPUT_RESULTS, self.expected_output.records.SELECT__PT_8, OUTPUT_RESET),
+                self.get_logging_output(ilog, 1),
             )
 
         with self.subTest('With 9 records present'):
@@ -536,10 +539,10 @@ class CoreDisplayRecordsMixin:
             # Capture logging output.
             with self.assertLogs(None, 'INFO') as ilog:
                 self.connector.records.select('category')
-            self.assertText(self.get_logging_output(ilog, 0), select_from_query)
+            self.assertText(select_from_query, self.get_logging_output(ilog, 0))
             self.assertText(
-                self.get_logging_output(ilog, 1),
                 '{0}{1}{2}'.format(OUTPUT_RESULTS, self.expected_output.records.SELECT__PT_9, OUTPUT_RESET),
+                self.get_logging_output(ilog, 1),
             )
 
         with self.subTest('With 10 records present'):
@@ -553,10 +556,10 @@ class CoreDisplayRecordsMixin:
             # Capture logging output.
             with self.assertLogs(None, 'INFO') as ilog:
                 self.connector.records.select('category')
-            self.assertText(self.get_logging_output(ilog, 0), select_from_query)
+            self.assertText(select_from_query, self.get_logging_output(ilog, 0))
             self.assertText(
-                self.get_logging_output(ilog, 1),
                 '{0}{1}{2}'.format(OUTPUT_RESULTS, self.expected_output.records.SELECT__PT_10, OUTPUT_RESET),
+                self.get_logging_output(ilog, 1),
             )
 
         with self.subTest('With 11 records present'):
@@ -570,10 +573,10 @@ class CoreDisplayRecordsMixin:
             # Capture logging output.
             with self.assertLogs(None, 'INFO') as ilog:
                 self.connector.records.select('category')
-            self.assertText(self.get_logging_output(ilog, 0), select_from_query)
+            self.assertText(select_from_query, self.get_logging_output(ilog, 0))
             self.assertText(
-                self.get_logging_output(ilog, 1),
                 '{0}{1}{2}'.format(OUTPUT_RESULTS, self.expected_output.records.SELECT__PT_11, OUTPUT_RESET),
+                self.get_logging_output(ilog, 1),
             )
 
         with self.subTest('With 12 records present'):
@@ -589,10 +592,10 @@ class CoreDisplayRecordsMixin:
             # Capture logging output.
             with self.assertLogs(None, 'INFO') as ilog:
                 self.connector.records.select('category')
-            self.assertText(self.get_logging_output(ilog, 0), select_from_query)
+            self.assertText(select_from_query, self.get_logging_output(ilog, 0))
             self.assertText(
-                self.get_logging_output(ilog, 1),
                 '{0}{1}{2}'.format(OUTPUT_RESULTS, self.expected_output.records.SELECT__PT_12, OUTPUT_RESET),
+                self.get_logging_output(ilog, 1),
             )
 
         with self.subTest('With 13 records present'):
@@ -608,10 +611,10 @@ class CoreDisplayRecordsMixin:
             # Capture logging output.
             with self.assertLogs(None, 'INFO') as ilog:
                 self.connector.records.select('category')
-            self.assertText(self.get_logging_output(ilog, 0), select_from_query)
+            self.assertText(select_from_query, self.get_logging_output(ilog, 0))
             self.assertText(
-                self.get_logging_output(ilog, 1),
                 '{0}{1}{2}'.format(OUTPUT_RESULTS, self.expected_output.records.SELECT__PT_13, OUTPUT_RESET),
+                self.get_logging_output(ilog, 1),
             )
 
         with self.subTest('With 14 records present'):
@@ -627,10 +630,10 @@ class CoreDisplayRecordsMixin:
             # Capture logging output.
             with self.assertLogs(None, 'INFO') as ilog:
                 self.connector.records.select('category')
-            self.assertText(self.get_logging_output(ilog, 0), select_from_query)
+            self.assertText(select_from_query, self.get_logging_output(ilog, 0))
             self.assertText(
-                self.get_logging_output(ilog, 1),
                 '{0}{1}{2}'.format(OUTPUT_RESULTS, self.expected_output.records.SELECT__PT_14, OUTPUT_RESET),
+                self.get_logging_output(ilog, 1),
             )
 
         with self.subTest('With 15 records present'):
@@ -646,298 +649,298 @@ class CoreDisplayRecordsMixin:
             # Capture logging output.
             with self.assertLogs(None, 'INFO') as ilog:
                 self.connector.records.select('category')
-            self.assertText(self.get_logging_output(ilog, 0), select_from_query)
+            self.assertText(select_from_query, self.get_logging_output(ilog, 0))
             self.assertText(
-                self.get_logging_output(ilog, 1),
                 '{0}{1}{2}'.format(OUTPUT_RESULTS, self.expected_output.records.SELECT__PT_15, OUTPUT_RESET),
-            )
-
-    def test__display__select_records__limited(self):
-        """"""
-        select_from_query = '{0}SELECT {1} FROM category2;{2}'.format(OUTPUT_QUERY, '{0}', OUTPUT_RESET)
-        quoted_id = '{0}id{0}'.format(self.connector.validate._quote_identifier_format)
-        quoted_name = '{0}name{0}'.format(self.connector.validate._quote_identifier_format)
-        quoted_desc = '{0}description{0}'.format(self.connector.validate._quote_identifier_format)
-
-        # Create table.
-        self.connector.tables.create('category2', self._columns_clause__basic, display_query=False)
-
-        # Create record.
-        self.connector.records.insert(
-            'category2',
-            '(1, {0}longer name value{0}, {0}short desc{0})'.format(
-                self.connector.validate._quote_str_literal_format,
-            ),
-            display_query=False,
-        )
-
-        with self.subTest('With basic column types - Pull all'):
-            # Capture logging output.
-            with self.assertLogs(None, 'INFO') as ilog:
-                self.connector.records.select('category2')
-            self.assertText(select_from_query.format('*'), self.get_logging_output(ilog, 0))
-            self.assertText(
-                self.get_logging_output(ilog, 1),
-                '{0}{1}{2}'.format(
-                    OUTPUT_RESULTS,
-                    self.expected_output.records.LIMITED_SELECT__BASIC__ALL,
-                    OUTPUT_RESET,
-                ),
-            )
-
-        with self.subTest('With basic column types - Exclude id'):
-            # Capture logging output.
-            with self.assertLogs(None, 'INFO') as ilog:
-                self.connector.records.select('category2', 'name, description')
-            curr_select_clause = select_from_query.format('({0}, {1})'.format(quoted_name, quoted_desc))
-            self.assertText(curr_select_clause, self.get_logging_output(ilog, 0))
-            self.assertText(
-                '{0}{1}{2}'.format(
-                    OUTPUT_RESULTS,
-                    self.expected_output.records.LIMITED_SELECT__BASIC__OMIT_ID,
-                    OUTPUT_RESET
-                ),
-                self.get_logging_output(ilog, 1),
-            )
-
-        with self.subTest('With basic column types - Exclude name'):
-            # Capture logging output.
-            with self.assertLogs(None, 'INFO') as ilog:
-                self.connector.records.select('category2', 'id, description')
-            curr_select_clause = select_from_query.format('({0}, {1})'.format(quoted_id, quoted_desc))
-            self.assertText(curr_select_clause, self.get_logging_output(ilog, 0))
-            self.assertText(
-                '{0}{1}{2}'.format(
-                    OUTPUT_RESULTS,
-                    self.expected_output.records.LIMITED_SELECT__BASIC__OMIT_NAME,
-                    OUTPUT_RESET,
-                ),
-                self.get_logging_output(ilog, 1),
-            )
-
-        with self.subTest('With basic column types - Exclude description'):
-            # Capture logging output.
-            with self.assertLogs(None, 'INFO') as ilog:
-                self.connector.records.select('category2', 'id, name')
-            curr_select_clause = select_from_query.format('({0}, {1})'.format(quoted_id, quoted_name))
-            self.assertText(curr_select_clause, self.get_logging_output(ilog, 0))
-            self.assertText(
-                '{0}{1}{2}'.format(
-                    OUTPUT_RESULTS,
-                    self.expected_output.records.LIMITED_SELECT__BASIC__OMIT_DESC,
-                    OUTPUT_RESET,
-                ),
-                self.get_logging_output(ilog, 1),
-            )
-
-        with self.subTest('With basic column types - Pull all reversed'):
-            # Capture logging output.
-            with self.assertLogs(None, 'INFO') as ilog:
-                self.connector.records.select('category2', 'description, name, id')
-            curr_select_clause = select_from_query.format('({0}, {1}, {2})'.format(quoted_desc, quoted_name, quoted_id))
-            self.assertText(curr_select_clause, self.get_logging_output(ilog, 0))
-            self.assertText(
-                '{0}{1}{2}'.format(
-                    OUTPUT_RESULTS,
-                    self.expected_output.records.LIMITED_SELECT__BASIC__REVERSED_ALL,
-                    OUTPUT_RESET,
-                ),
-                self.get_logging_output(ilog, 1),
-            )
-
-        with self.subTest('With basic column types - Exclude id reversed'):
-            # Capture logging output.
-            with self.assertLogs(None, 'INFO') as ilog:
-                self.connector.records.select('category2', 'description, name')
-            curr_select_clause = select_from_query.format('({0}, {1})'.format(quoted_desc, quoted_name))
-            self.assertText(curr_select_clause, self.get_logging_output(ilog, 0))
-            self.assertText(
-                '{0}{1}{2}'.format(
-                    OUTPUT_RESULTS,
-                    self.expected_output.records.LIMITED_SELECT__BASIC__REVERSED_OMIT_ID,
-                    OUTPUT_RESET
-                ),
-                self.get_logging_output(ilog, 1),
-            )
-
-        with self.subTest('With basic column types - Exclude name reversed'):
-            # Capture logging output.
-            with self.assertLogs(None, 'INFO') as ilog:
-                self.connector.records.select('category2', 'description, id')
-            curr_select_clause = select_from_query.format('({0}, {1})'.format(quoted_desc, quoted_id))
-            self.assertText(curr_select_clause, self.get_logging_output(ilog, 0))
-            self.assertText(
-                '{0}{1}{2}'.format(
-                    OUTPUT_RESULTS,
-                    self.expected_output.records.LIMITED_SELECT__BASIC__REVERSED_OMIT_NAME,
-                    OUTPUT_RESET,
-                ),
-                self.get_logging_output(ilog, 1),
-            )
-
-        with self.subTest('With basic column types - Exclude description reversed'):
-            # Capture logging output.
-            with self.assertLogs(None, 'INFO') as ilog:
-                self.connector.records.select('category2', 'name, id')
-            curr_select_clause = select_from_query.format('({0}, {1})'.format(quoted_name, quoted_id))
-            self.assertText(curr_select_clause, self.get_logging_output(ilog, 0))
-            self.assertText(
-                '{0}{1}{2}'.format(
-                    OUTPUT_RESULTS,
-                    self.expected_output.records.LIMITED_SELECT__BASIC__REVERSED_OMIT_DESC,
-                    OUTPUT_RESET,
-                ),
                 self.get_logging_output(ilog, 1),
             )
 
-        datetime_now = datetime.now()
-        select_from_query = '{0}SELECT {1} FROM category3;{2}'.format(OUTPUT_QUERY, '{0}', OUTPUT_RESET)
-        quoted_datetime = '{0}test_datetime{0}'.format(self.connector.validate._quote_identifier_format)
-        quoted_date = '{0}test_date{0}'.format(self.connector.validate._quote_identifier_format)
-
-        # Create table.
-        self.connector.tables.create('category3', self._columns_clause__datetime, display_query=False)
-
-        # Create record.
-        self.connector.records.insert('category3', [1, datetime_now, datetime_now], display_query=False)
-
-        with self.subTest('With datetime column types - Pull all'):
-            # Capture logging output.
-            with self.assertLogs(None, 'INFO') as ilog:
-                self.connector.records.select('category3')
-            self.assertText(select_from_query.format('*'), self.get_logging_output(ilog, 0))
-            self.assertText(
-                '{0}{1}{2}'.format(
-                    OUTPUT_RESULTS,
-                    self.expected_output.records.LIMITED_SELECT__DATETIME__ALL.format(
-                        datetime_now.strftime('%Y-%m-%d %H:%M:%S'),
-                        datetime_now.date(),
-                    ),
-                    OUTPUT_RESET,
-                ),
-                self.get_logging_output(ilog, 1),
-            )
-
-        with self.subTest('With datetime column types - Exclude id'):
-            # Capture logging output.
-            with self.assertLogs(None, 'INFO') as ilog:
-                self.connector.records.select('category3', 'test_datetime, test_date')
-            curr_select_clause = select_from_query.format('({0}, {1})'.format(quoted_datetime, quoted_date))
-            self.assertText(curr_select_clause, self.get_logging_output(ilog, 0))
-            self.assertText(
-                '{0}{1}{2}'.format(
-                    OUTPUT_RESULTS,
-                    self.expected_output.records.LIMITED_SELECT__DATETIME__OMIT_ID.format(
-                        datetime_now.strftime('%Y-%m-%d %H:%M:%S'),
-                        datetime_now.date(),
-                    ),
-                    OUTPUT_RESET
-                ),
-                self.get_logging_output(ilog, 1),
-            )
-
-        with self.subTest('With datetime column types - Exclude datetime'):
-            # Capture logging output.
-            with self.assertLogs(None, 'INFO') as ilog:
-                self.connector.records.select('category3', 'id, test_date')
-            curr_select_clause = select_from_query.format('({0}, {1})'.format(quoted_id, quoted_date))
-            self.assertText(curr_select_clause, self.get_logging_output(ilog, 0))
-            self.assertText(
-                '{0}{1}{2}'.format(
-                    OUTPUT_RESULTS,
-                    self.expected_output.records.LIMITED_SELECT__DATETIME__OMIT_DATETIME.format(
-                        datetime_now.date(),
-                    ),
-                    OUTPUT_RESET,
-                ),
-                self.get_logging_output(ilog, 1),
-            )
-
-        with self.subTest('With datetime column types - Exclude date'):
-            # Capture logging output.
-            with self.assertLogs(None, 'INFO') as ilog:
-                self.connector.records.select('category3', 'id, test_datetime')
-            curr_select_clause = select_from_query.format('({0}, {1})'.format(quoted_id, quoted_datetime))
-            self.assertText(curr_select_clause, self.get_logging_output(ilog, 0))
-            self.assertText(
-                '{0}{1}{2}'.format(
-                    OUTPUT_RESULTS,
-                    self.expected_output.records.LIMITED_SELECT__DATETIME__OMIT_DATE.format(
-                        datetime_now.strftime('%Y-%m-%d %H:%M:%S'),
-                    ),
-                    OUTPUT_RESET,
-                ),
-                self.get_logging_output(ilog, 1),
-            )
-
-        with self.subTest('With datetime column types - Pull all reversed'):
-            # Capture logging output.
-            with self.assertLogs(None, 'INFO') as ilog:
-                self.connector.records.select('category3', 'test_date, test_datetime, id')
-            curr_select_clause = select_from_query.format(
-                '({0}, {1}, {2})'.format(quoted_date, quoted_datetime, quoted_id),
-            )
-            self.assertText(curr_select_clause, self.get_logging_output(ilog, 0))
-            self.assertText(
-                '{0}{1}{2}'.format(
-                    OUTPUT_RESULTS,
-                    self.expected_output.records.LIMITED_SELECT__DATETIME__REVERSED_ALL.format(
-                        datetime_now.date(),
-                        datetime_now.strftime('%Y-%m-%d %H:%M:%S'),
-                    ),
-                    OUTPUT_RESET,
-                ),
-                self.get_logging_output(ilog, 1),
-            )
-
-        with self.subTest('With datetime column types - Exclude id reversed'):
-            # Capture logging output.
-            with self.assertLogs(None, 'INFO') as ilog:
-                self.connector.records.select('category3', 'test_date, test_datetime')
-            curr_select_clause = select_from_query.format('({0}, {1})'.format(quoted_date, quoted_datetime))
-            self.assertText(curr_select_clause, self.get_logging_output(ilog, 0))
-            self.assertText(
-                '{0}{1}{2}'.format(
-                    OUTPUT_RESULTS,
-                    self.expected_output.records.LIMITED_SELECT__DATETIME__REVERSED_OMIT_ID.format(
-                        datetime_now.date(),
-                        datetime_now.strftime('%Y-%m-%d %H:%M:%S'),
-                    ),
-                    OUTPUT_RESET
-                ),
-                self.get_logging_output(ilog, 1),
-            )
-
-        with self.subTest('With datetime column types - Exclude datetime reversed'):
-            # Capture logging output.
-            with self.assertLogs(None, 'INFO') as ilog:
-                self.connector.records.select('category3', 'test_date, id')
-            curr_select_clause = select_from_query.format('({0}, {1})'.format(quoted_date, quoted_id))
-            self.assertText(curr_select_clause, self.get_logging_output(ilog, 0))
-            self.assertText(
-                '{0}{1}{2}'.format(
-                    OUTPUT_RESULTS,
-                    self.expected_output.records.LIMITED_SELECT__DATETIME__REVERSED_OMIT_DATETIME.format(
-                        datetime_now.date(),
-                    ),
-                    OUTPUT_RESET,
-                ),
-                self.get_logging_output(ilog, 1),
-            )
-
-        with self.subTest('With datetime column types - Exclude date reversed'):
-            # Capture logging output.
-            with self.assertLogs(None, 'INFO') as ilog:
-                self.connector.records.select('category3', 'test_datetime, id')
-            curr_select_clause = select_from_query.format('({0}, {1})'.format(quoted_datetime, quoted_id))
-            self.assertText(curr_select_clause, self.get_logging_output(ilog, 0))
-            self.assertText(
-                '{0}{1}{2}'.format(
-                    OUTPUT_RESULTS,
-                    self.expected_output.records.LIMITED_SELECT__DATETIME__REVERSED_OMIT_DATE.format(
-                        datetime_now.strftime('%Y-%m-%d %H:%M:%S'),
-                    ),
-                    OUTPUT_RESET,
-                ),
-                self.get_logging_output(ilog, 1),
-            )
+    # def test__display__select_records__limited(self):
+    #     """"""
+    #     select_from_query = '{0}SELECT {1} FROM category2;{2}'.format(OUTPUT_QUERY, '{0}', OUTPUT_RESET)
+    #     quoted_id = '{0}id{0}'.format(self.connector.validate._quote_identifier_format)
+    #     quoted_name = '{0}name{0}'.format(self.connector.validate._quote_identifier_format)
+    #     quoted_desc = '{0}description{0}'.format(self.connector.validate._quote_identifier_format)
+    #
+    #     # Create table.
+    #     self.connector.tables.create('category2', self._columns_clause__basic, display_query=False)
+    #
+    #     # Create record.
+    #     self.connector.records.insert(
+    #         'category2',
+    #         '(1, {0}longer name value{0}, {0}short desc{0})'.format(
+    #             self.connector.validate._quote_str_literal_format,
+    #         ),
+    #         display_query=False,
+    #     )
+    #
+    #     with self.subTest('With basic column types - Pull all'):
+    #         # Capture logging output.
+    #         with self.assertLogs(None, 'INFO') as ilog:
+    #             self.connector.records.select('category2')
+    #         self.assertText(select_from_query.format('*'), self.get_logging_output(ilog, 0))
+    #         self.assertText(
+    #             self.get_logging_output(ilog, 1),
+    #             '{0}{1}{2}'.format(
+    #                 OUTPUT_RESULTS,
+    #                 self.expected_output.records.LIMITED_SELECT__BASIC__ALL,
+    #                 OUTPUT_RESET,
+    #             ),
+    #         )
+    #
+    #     with self.subTest('With basic column types - Exclude id'):
+    #         # Capture logging output.
+    #         with self.assertLogs(None, 'INFO') as ilog:
+    #             self.connector.records.select('category2', 'name, description')
+    #         curr_select_clause = select_from_query.format('({0}, {1})'.format(quoted_name, quoted_desc))
+    #         self.assertText(curr_select_clause, self.get_logging_output(ilog, 0))
+    #         self.assertText(
+    #             '{0}{1}{2}'.format(
+    #                 OUTPUT_RESULTS,
+    #                 self.expected_output.records.LIMITED_SELECT__BASIC__OMIT_ID,
+    #                 OUTPUT_RESET
+    #             ),
+    #             self.get_logging_output(ilog, 1),
+    #         )
+    #
+    #     with self.subTest('With basic column types - Exclude name'):
+    #         # Capture logging output.
+    #         with self.assertLogs(None, 'INFO') as ilog:
+    #             self.connector.records.select('category2', 'id, description')
+    #         curr_select_clause = select_from_query.format('({0}, {1})'.format(quoted_id, quoted_desc))
+    #         self.assertText(curr_select_clause, self.get_logging_output(ilog, 0))
+    #         self.assertText(
+    #             '{0}{1}{2}'.format(
+    #                 OUTPUT_RESULTS,
+    #                 self.expected_output.records.LIMITED_SELECT__BASIC__OMIT_NAME,
+    #                 OUTPUT_RESET,
+    #             ),
+    #             self.get_logging_output(ilog, 1),
+    #         )
+    #
+    #     with self.subTest('With basic column types - Exclude description'):
+    #         # Capture logging output.
+    #         with self.assertLogs(None, 'INFO') as ilog:
+    #             self.connector.records.select('category2', 'id, name')
+    #         curr_select_clause = select_from_query.format('({0}, {1})'.format(quoted_id, quoted_name))
+    #         self.assertText(curr_select_clause, self.get_logging_output(ilog, 0))
+    #         self.assertText(
+    #             '{0}{1}{2}'.format(
+    #                 OUTPUT_RESULTS,
+    #                 self.expected_output.records.LIMITED_SELECT__BASIC__OMIT_DESC,
+    #                 OUTPUT_RESET,
+    #             ),
+    #             self.get_logging_output(ilog, 1),
+    #         )
+    #
+    #     with self.subTest('With basic column types - Pull all reversed'):
+    #         # Capture logging output.
+    #         with self.assertLogs(None, 'INFO') as ilog:
+    #             self.connector.records.select('category2', 'description, name, id')
+    #         curr_select_clause = select_from_query.format('({0}, {1}, {2})'.format(quoted_desc, quoted_name, quoted_id))
+    #         self.assertText(curr_select_clause, self.get_logging_output(ilog, 0))
+    #         self.assertText(
+    #             '{0}{1}{2}'.format(
+    #                 OUTPUT_RESULTS,
+    #                 self.expected_output.records.LIMITED_SELECT__BASIC__REVERSED_ALL,
+    #                 OUTPUT_RESET,
+    #             ),
+    #             self.get_logging_output(ilog, 1),
+    #         )
+    #
+    #     with self.subTest('With basic column types - Exclude id reversed'):
+    #         # Capture logging output.
+    #         with self.assertLogs(None, 'INFO') as ilog:
+    #             self.connector.records.select('category2', 'description, name')
+    #         curr_select_clause = select_from_query.format('({0}, {1})'.format(quoted_desc, quoted_name))
+    #         self.assertText(curr_select_clause, self.get_logging_output(ilog, 0))
+    #         self.assertText(
+    #             '{0}{1}{2}'.format(
+    #                 OUTPUT_RESULTS,
+    #                 self.expected_output.records.LIMITED_SELECT__BASIC__REVERSED_OMIT_ID,
+    #                 OUTPUT_RESET
+    #             ),
+    #             self.get_logging_output(ilog, 1),
+    #         )
+    #
+    #     with self.subTest('With basic column types - Exclude name reversed'):
+    #         # Capture logging output.
+    #         with self.assertLogs(None, 'INFO') as ilog:
+    #             self.connector.records.select('category2', 'description, id')
+    #         curr_select_clause = select_from_query.format('({0}, {1})'.format(quoted_desc, quoted_id))
+    #         self.assertText(curr_select_clause, self.get_logging_output(ilog, 0))
+    #         self.assertText(
+    #             '{0}{1}{2}'.format(
+    #                 OUTPUT_RESULTS,
+    #                 self.expected_output.records.LIMITED_SELECT__BASIC__REVERSED_OMIT_NAME,
+    #                 OUTPUT_RESET,
+    #             ),
+    #             self.get_logging_output(ilog, 1),
+    #         )
+    #
+    #     with self.subTest('With basic column types - Exclude description reversed'):
+    #         # Capture logging output.
+    #         with self.assertLogs(None, 'INFO') as ilog:
+    #             self.connector.records.select('category2', 'name, id')
+    #         curr_select_clause = select_from_query.format('({0}, {1})'.format(quoted_name, quoted_id))
+    #         self.assertText(curr_select_clause, self.get_logging_output(ilog, 0))
+    #         self.assertText(
+    #             '{0}{1}{2}'.format(
+    #                 OUTPUT_RESULTS,
+    #                 self.expected_output.records.LIMITED_SELECT__BASIC__REVERSED_OMIT_DESC,
+    #                 OUTPUT_RESET,
+    #             ),
+    #             self.get_logging_output(ilog, 1),
+    #         )
+    #
+    #     datetime_now = datetime.now()
+    #     select_from_query = '{0}SELECT {1} FROM category3;{2}'.format(OUTPUT_QUERY, '{0}', OUTPUT_RESET)
+    #     quoted_datetime = '{0}test_datetime{0}'.format(self.connector.validate._quote_identifier_format)
+    #     quoted_date = '{0}test_date{0}'.format(self.connector.validate._quote_identifier_format)
+    #
+    #     # Create table.
+    #     self.connector.tables.create('category3', self._columns_clause__datetime, display_query=False)
+    #
+    #     # Create record.
+    #     self.connector.records.insert('category3', [1, datetime_now, datetime_now], display_query=False)
+    #
+    #     with self.subTest('With datetime column types - Pull all'):
+    #         # Capture logging output.
+    #         with self.assertLogs(None, 'INFO') as ilog:
+    #             self.connector.records.select('category3')
+    #         self.assertText(select_from_query.format('*'), self.get_logging_output(ilog, 0))
+    #         self.assertText(
+    #             '{0}{1}{2}'.format(
+    #                 OUTPUT_RESULTS,
+    #                 self.expected_output.records.LIMITED_SELECT__DATETIME__ALL.format(
+    #                     datetime_now.strftime('%Y-%m-%d %H:%M:%S'),
+    #                     datetime_now.date(),
+    #                 ),
+    #                 OUTPUT_RESET,
+    #             ),
+    #             self.get_logging_output(ilog, 1),
+    #         )
+    #
+    #     with self.subTest('With datetime column types - Exclude id'):
+    #         # Capture logging output.
+    #         with self.assertLogs(None, 'INFO') as ilog:
+    #             self.connector.records.select('category3', 'test_datetime, test_date')
+    #         curr_select_clause = select_from_query.format('({0}, {1})'.format(quoted_datetime, quoted_date))
+    #         self.assertText(curr_select_clause, self.get_logging_output(ilog, 0))
+    #         self.assertText(
+    #             '{0}{1}{2}'.format(
+    #                 OUTPUT_RESULTS,
+    #                 self.expected_output.records.LIMITED_SELECT__DATETIME__OMIT_ID.format(
+    #                     datetime_now.strftime('%Y-%m-%d %H:%M:%S'),
+    #                     datetime_now.date(),
+    #                 ),
+    #                 OUTPUT_RESET
+    #             ),
+    #             self.get_logging_output(ilog, 1),
+    #         )
+    #
+    #     with self.subTest('With datetime column types - Exclude datetime'):
+    #         # Capture logging output.
+    #         with self.assertLogs(None, 'INFO') as ilog:
+    #             self.connector.records.select('category3', 'id, test_date')
+    #         curr_select_clause = select_from_query.format('({0}, {1})'.format(quoted_id, quoted_date))
+    #         self.assertText(curr_select_clause, self.get_logging_output(ilog, 0))
+    #         self.assertText(
+    #             '{0}{1}{2}'.format(
+    #                 OUTPUT_RESULTS,
+    #                 self.expected_output.records.LIMITED_SELECT__DATETIME__OMIT_DATETIME.format(
+    #                     datetime_now.date(),
+    #                 ),
+    #                 OUTPUT_RESET,
+    #             ),
+    #             self.get_logging_output(ilog, 1),
+    #         )
+    #
+    #     with self.subTest('With datetime column types - Exclude date'):
+    #         # Capture logging output.
+    #         with self.assertLogs(None, 'INFO') as ilog:
+    #             self.connector.records.select('category3', 'id, test_datetime')
+    #         curr_select_clause = select_from_query.format('({0}, {1})'.format(quoted_id, quoted_datetime))
+    #         self.assertText(curr_select_clause, self.get_logging_output(ilog, 0))
+    #         self.assertText(
+    #             '{0}{1}{2}'.format(
+    #                 OUTPUT_RESULTS,
+    #                 self.expected_output.records.LIMITED_SELECT__DATETIME__OMIT_DATE.format(
+    #                     datetime_now.strftime('%Y-%m-%d %H:%M:%S'),
+    #                 ),
+    #                 OUTPUT_RESET,
+    #             ),
+    #             self.get_logging_output(ilog, 1),
+    #         )
+    #
+    #     with self.subTest('With datetime column types - Pull all reversed'):
+    #         # Capture logging output.
+    #         with self.assertLogs(None, 'INFO') as ilog:
+    #             self.connector.records.select('category3', 'test_date, test_datetime, id')
+    #         curr_select_clause = select_from_query.format(
+    #             '({0}, {1}, {2})'.format(quoted_date, quoted_datetime, quoted_id),
+    #         )
+    #         self.assertText(curr_select_clause, self.get_logging_output(ilog, 0))
+    #         self.assertText(
+    #             '{0}{1}{2}'.format(
+    #                 OUTPUT_RESULTS,
+    #                 self.expected_output.records.LIMITED_SELECT__DATETIME__REVERSED_ALL.format(
+    #                     datetime_now.date(),
+    #                     datetime_now.strftime('%Y-%m-%d %H:%M:%S'),
+    #                 ),
+    #                 OUTPUT_RESET,
+    #             ),
+    #             self.get_logging_output(ilog, 1),
+    #         )
+    #
+    #     with self.subTest('With datetime column types - Exclude id reversed'):
+    #         # Capture logging output.
+    #         with self.assertLogs(None, 'INFO') as ilog:
+    #             self.connector.records.select('category3', 'test_date, test_datetime')
+    #         curr_select_clause = select_from_query.format('({0}, {1})'.format(quoted_date, quoted_datetime))
+    #         self.assertText(curr_select_clause, self.get_logging_output(ilog, 0))
+    #         self.assertText(
+    #             '{0}{1}{2}'.format(
+    #                 OUTPUT_RESULTS,
+    #                 self.expected_output.records.LIMITED_SELECT__DATETIME__REVERSED_OMIT_ID.format(
+    #                     datetime_now.date(),
+    #                     datetime_now.strftime('%Y-%m-%d %H:%M:%S'),
+    #                 ),
+    #                 OUTPUT_RESET
+    #             ),
+    #             self.get_logging_output(ilog, 1),
+    #         )
+    #
+    #     with self.subTest('With datetime column types - Exclude datetime reversed'):
+    #         # Capture logging output.
+    #         with self.assertLogs(None, 'INFO') as ilog:
+    #             self.connector.records.select('category3', 'test_date, id')
+    #         curr_select_clause = select_from_query.format('({0}, {1})'.format(quoted_date, quoted_id))
+    #         self.assertText(curr_select_clause, self.get_logging_output(ilog, 0))
+    #         self.assertText(
+    #             '{0}{1}{2}'.format(
+    #                 OUTPUT_RESULTS,
+    #                 self.expected_output.records.LIMITED_SELECT__DATETIME__REVERSED_OMIT_DATETIME.format(
+    #                     datetime_now.date(),
+    #                 ),
+    #                 OUTPUT_RESET,
+    #             ),
+    #             self.get_logging_output(ilog, 1),
+    #         )
+    #
+    #     with self.subTest('With datetime column types - Exclude date reversed'):
+    #         # Capture logging output.
+    #         with self.assertLogs(None, 'INFO') as ilog:
+    #             self.connector.records.select('category3', 'test_datetime, id')
+    #         curr_select_clause = select_from_query.format('({0}, {1})'.format(quoted_datetime, quoted_id))
+    #         self.assertText(curr_select_clause, self.get_logging_output(ilog, 0))
+    #         self.assertText(
+    #             '{0}{1}{2}'.format(
+    #                 OUTPUT_RESULTS,
+    #                 self.expected_output.records.LIMITED_SELECT__DATETIME__REVERSED_OMIT_DATE.format(
+    #                     datetime_now.strftime('%Y-%m-%d %H:%M:%S'),
+    #                 ),
+    #                 OUTPUT_RESET,
+    #             ),
+    #             self.get_logging_output(ilog, 1),
+    #         )
diff --git a/tests/connectors/core/test_records.py b/tests/connectors/core/test_records.py
index e0b99f7bef4bfba06dcfe1d649bd2eca87ef7f6d..5447dfbd3cdcba002fb44e65ed53f1a291e2ef80 100644
--- a/tests/connectors/core/test_records.py
+++ b/tests/connectors/core/test_records.py
@@ -780,60 +780,60 @@ class CoreRecordsTestMixin:
             self.assertIn(row_4, results)
             self.assertIn(row_5, results)
 
-    def test__select__aggregates(self):
-        """"""
-        table_name = 'test_queries__select__aggregate'
-        # Verify table exists.
-        try:
-            self.connector.query.execute('CREATE TABLE {0}{1};'.format(table_name, self._columns_clause__aggregates))
-        except self.connector.errors.table_already_exists:
-            # Table already exists, as we want.
-            pass
-
-        # Prepopulate with a few records.
-        self.connector.records.insert_many(
-            table_name,
-            [
-                ('test one', 10, False),
-                ('test two', 12, False),
-                ('test three', 5, False),
-                ('test four', 3, False),
-                ('test five', 22, False),
-            ],
-            columns_clause=('test_str, test_int, test_bool'),
-        )
-
-        with self.subTest('SELECT with AVG aggregation'):
-            # Run test query.
-            results = self.connector.records.select(table_name, 'AVG(test_int)')
-
-            # Verify return aggregate result.
-            self.assertEqual(len(results), 1)
-            self.assertEqual(results[0][0], Decimal('10.4'))
-
-        with self.subTest('SELECT with MAX aggregation'):
-            # Run test query.
-            results = self.connector.records.select(table_name, 'MAX(test_int)')
-
-            # Verify return aggregate result.
-            self.assertEqual(len(results), 1)
-            self.assertEqual(results[0][0], 22)
-
-        with self.subTest('SELECT with MIN aggregation'):
-            # Run test query.
-            results = self.connector.records.select(table_name, 'MIN(test_int)')
-
-            # Verify return aggregate result.
-            self.assertEqual(len(results), 1)
-            self.assertEqual(results[0][0], 3)
-
-        with self.subTest('SELECT with SUM aggregation'):
-            # Run test query.
-            results = self.connector.records.select(table_name, 'SUM(test_int)')
-
-            # Verify return aggregate result.
-            self.assertEqual(len(results), 1)
-            self.assertEqual(results[0][0], 52)
+    # def test__select__aggregates(self):
+    #     """"""
+    #     table_name = 'test_queries__select__aggregate'
+    #     # Verify table exists.
+    #     try:
+    #         self.connector.query.execute('CREATE TABLE {0}{1};'.format(table_name, self._columns_clause__aggregates))
+    #     except self.connector.errors.table_already_exists:
+    #         # Table already exists, as we want.
+    #         pass
+    #
+    #     # Prepopulate with a few records.
+    #     self.connector.records.insert_many(
+    #         table_name,
+    #         [
+    #             ('test one', 10, False),
+    #             ('test two', 12, False),
+    #             ('test three', 5, False),
+    #             ('test four', 3, False),
+    #             ('test five', 22, False),
+    #         ],
+    #         columns_clause=('test_str, test_int, test_bool'),
+    #     )
+    #
+    #     with self.subTest('SELECT with AVG aggregation'):
+    #         # Run test query.
+    #         results = self.connector.records.select(table_name, 'AVG(test_int)')
+    #
+    #         # Verify return aggregate result.
+    #         self.assertEqual(len(results), 1)
+    #         self.assertEqual(results[0][0], Decimal('10.4'))
+    #
+    #     with self.subTest('SELECT with MAX aggregation'):
+    #         # Run test query.
+    #         results = self.connector.records.select(table_name, 'MAX(test_int)')
+    #
+    #         # Verify return aggregate result.
+    #         self.assertEqual(len(results), 1)
+    #         self.assertEqual(results[0][0], 22)
+    #
+    #     with self.subTest('SELECT with MIN aggregation'):
+    #         # Run test query.
+    #         results = self.connector.records.select(table_name, 'MIN(test_int)')
+    #
+    #         # Verify return aggregate result.
+    #         self.assertEqual(len(results), 1)
+    #         self.assertEqual(results[0][0], 3)
+    #
+    #     with self.subTest('SELECT with SUM aggregation'):
+    #         # Run test query.
+    #         results = self.connector.records.select(table_name, 'SUM(test_int)')
+    #
+    #         # Verify return aggregate result.
+    #         self.assertEqual(len(results), 1)
+    #         self.assertEqual(results[0][0], 52)
 
     def test__insert__basic__success(self):
         """
@@ -853,33 +853,33 @@ class CoreRecordsTestMixin:
         self.assertEqual(len(results), 0)
 
         # Run test query.
-        row = (1, 'test_name_1', 'test_desc_1')
+        row = (1, "'test_name_1'", "'test_desc_1'")
         self.connector.records.insert(table_name, row)
         results = self.connector.query.execute('SELECT * FROM {0};'.format(table_name))
 
         # Verify one record returned.
         self.assertEqual(len(results), 1)
-        self.assertIn(row, results)
+        self.assertIn((1, 'test_name_1', 'test_desc_1'), results)
 
         # Run test query.
-        row = (2, 'test_name_2', 'test_desc_2')
+        row = (2, "'test_name_2'", "'test_desc_2'")
         self.connector.records.insert(table_name, row)
         results = self.connector.query.execute('SELECT * FROM {0};'.format(table_name))
 
         # Verify two records returned.
         self.assertEqual(len(results), 2)
-        self.assertIn(row, results)
+        self.assertIn((2, 'test_name_2', 'test_desc_2'), results)
 
         # Works for 0, 1, and 2. Assume works for all further n+1 values.
 
         # Test with columns defined.
-        row = (3, 'test_name_3', 'test_desc_3')
+        row = (3, "'test_name_3'", "'test_desc_3'")
         self.connector.records.insert(table_name, row, columns_clause='id, name, description')
         results = self.connector.query.execute('SELECT * FROM {0};'.format(table_name))
 
         # Verify two records returned.
         self.assertEqual(len(results), 3)
-        self.assertIn(row, results)
+        self.assertIn((3, 'test_name_3', 'test_desc_3'), results)
 
     def test__insert__datetime__success(self):
         """
@@ -909,8 +909,8 @@ class CoreRecordsTestMixin:
             microsecond=29,
         )
         test_date__2020 = test_datetime__2020.date()
-        test_datetime_str__2020 = test_datetime__2020.strftime('%Y-%m-%d %H:%M:%S')
-        test_date_str__2020 = test_date__2020.strftime('%Y-%m-%d')
+        test_datetime_str__2020 = "'{0}'".format(test_datetime__2020.strftime('%Y-%m-%d %H:%M:%S'))
+        test_date_str__2020 = "'{0}'".format(test_date__2020.strftime('%Y-%m-%d'))
 
         # Run test query, using string values.
         row_1 = (1, test_datetime_str__2020, test_date_str__2020)
@@ -943,6 +943,39 @@ class CoreRecordsTestMixin:
         self.assertIn((1, test_datetime__2020.replace(microsecond=0), test_date__2020), results)
         self.assertIn((2, test_datetime__2021.replace(microsecond=0), test_date__2021), results)
 
+    # # def test__insert__with_quote_types(self):
+    # #     """"""
+    # #     table_name = 'test_queries__insert__with_quote_types'
+    # #
+    # #     # Verify table exists.
+    # #     try:
+    # #         self.connector.query.execute('CREATE TABLE {0}{1};'.format(table_name, self._columns_clause__basic))
+    # #     except self.connector.errors.table_already_exists:
+    # #         # Table already exists, as we want.
+    # #         pass
+    # #
+    # #     # Verify starting state.
+    # #     results = self.connector.query.execute('SELECT * FROM {0};'.format(table_name))
+    # #     self.assertEqual(len(results), 0)
+    # #
+    # #     # Run test query.
+    # #     row = (1, """'2" nail'""", """'2 inch nail'""""")
+    # #     self.connector.records.insert(table_name, row)
+    # #     results = self.connector.query.execute('SELECT * FROM {0};'.format(table_name))
+    # #
+    # #     # Verify one record returned.
+    # #     self.assertEqual(len(results), 1)
+    # #     self.assertIn(row, results)
+    # #
+    # #     # Run test query.
+    # #     row = (2, """'1\' ruler'""", """'1 foot ruler'""""")
+    # #     self.connector.records.insert(table_name, row)
+    # #     results = self.connector.query.execute('SELECT * FROM {0};'.format(table_name))
+    # #
+    # #     # Verify two records returned.
+    # #     self.assertEqual(len(results), 2)
+    # #     self.assertIn(row, results)
+
     def test__insert_many__success(self):
         """
         Test execute_many `INSERT` query.
diff --git a/tests/connectors/core/test_validate.py b/tests/connectors/core/test_validate.py
index b32a1b8b1a84fcb12895907b220f68756ac06470..8626c7fbde4ec92bd3622ca076a0a79061e5527f 100644
--- a/tests/connectors/core/test_validate.py
+++ b/tests/connectors/core/test_validate.py
@@ -1356,13 +1356,7 @@ class CoreValidateTestMixin:
 
         with self.subTest('Values as non-standard types'):
             result = self.connector.validate.sanitize_select_identifier_clause((1, True))
-            self.assertText(
-                '({0}, {1})'.format(
-                    self._quote_select_identifier_format.format(1),
-                    self._quote_select_identifier_format.format(True),
-                ),
-                result,
-            )
+            self.assertText('({0}, {1})'.format(1, True), result)
 
         with self.subTest('Values with function calls'):
             # Uppercase.
@@ -1902,13 +1896,7 @@ class CoreValidateTestMixin:
             # TODO: Should these fail? These probably should fail.
             #  I think only literal column names should work.
             result = self.connector.validate.sanitize_columns_clause((1, True))
-            self.assertText(
-                '({0}, {1})'.format(
-                    self._quote_columns_format.format(1),
-                    self._quote_columns_format.format(True),
-                ),
-                result,
-            )
+            self.assertText('({0}, {1})'.format(1, True), result)
 
     def test__sanitize_columns_clause__failure(self):
         """
@@ -3796,13 +3784,7 @@ class CoreValidateTestMixin:
             # TODO: Should these fail? These probably should fail.
             #  I think only literal column names should work.
             result = self.connector.validate.sanitize_order_by_clause((1, True))
-            self.assertText(
-                '\nORDER BY {0}, {1}'.format(
-                    self._quote_order_by_format.format(1),
-                    self._quote_order_by_format.format(True),
-                ),
-                result,
-            )
+            self.assertText('\nORDER BY {0}, {1}'.format(1, True), result)
 
     def test__sanitize_order_by_clause__failure(self):
         """
diff --git a/tests/connectors/postgresql/test_records.py b/tests/connectors/postgresql/test_records.py
index 0027928ec3ba03914ea8f859e4a5b11d262779eb..2dc13d1ceb70ddd20770024a975573d614cc606d 100644
--- a/tests/connectors/postgresql/test_records.py
+++ b/tests/connectors/postgresql/test_records.py
@@ -64,105 +64,105 @@ class TestPostgresqlRecords(TestPostgresqlDatabaseParent, CoreRecordsTestMixin):
             with self.assertRaises(self.connector.errors.table_already_exists):
                 self.connector.query.execute('CREATE TABLE {0} {1};'.format(table_name, self._columns_clause__basic))
 
-    def test__select__aggregates(self):
-        """"""
-        table_name = 'test_queries__select__aggregate'
-
-        # Run parent tests.
-        super().test__select__aggregates()
-
-        # Tests that require slightly different syntax in different database types.
-        with self.subTest('SELECT with BIT_OR aggregation'):
-            # Run test query.
-            results = self.connector.records.select(table_name, 'BIT_OR(test_bool::int)')
-
-            # Verify return aggregate result.
-            # No records returned True, so should be False.
-            self.assertEqual(len(results), 1)
-            self.assertEqual(results[0][0], False)
-
-            # Upset a single record to be true, and test again.
-            results = self.connector.records.update(table_name, 'test_bool = True', where_clause='WHERE id = 2')
-            results = self.connector.records.select(table_name, 'BIT_OR(test_bool::int)')
-
-            # Verify return aggregate result.
-            # At least one record returned True so should be True.
-            self.assertEqual(len(results), 1)
-            self.assertEqual(results[0][0], True)
-
-        with self.subTest('SELECT with BIT_AND aggregation'):
-            # Run test query.
-            results = self.connector.records.select(table_name, 'BIT_AND(test_bool::int)')
-
-            # Verify return aggregate result.
-            # Not all records returned True, so should be False.
-            self.assertEqual(len(results), 1)
-            self.assertEqual(results[0][0], False)
-
-            # Update all records to be true, and test again.
-            results = self.connector.records.update(table_name, 'test_bool = True', where_clause='')
-            results = self.connector.records.select(table_name, 'bit_or(test_bool::int)')
-
-            # Verify return aggregate result.
-            # All records returned True so should be True.
-            self.assertEqual(len(results), 1)
-            self.assertEqual(results[0][0], True)
-
-            # Reset booleans to be False.
-            self.connector.records.update(table_name, 'test_bool = False', where_clause='')
-
-        with self.subTest('SELECT with STDDEV aggregation'):
-            # Run test query.
-            results = self.connector.records.select(table_name, 'STDDEV(test_int)')
-
-            # Verify return aggregate result.
-            self.assertEqual(len(results), 1)
-            self.assertEqual(results[0][0], Decimal('7.4363969770312827'))
-
-        with self.subTest('SELECT with VARIANCE aggregation'):
-            # Run test query.
-            results = self.connector.records.select(table_name, 'VARIANCE(test_int)')
-
-            # Verify return aggregate result.
-            self.assertEqual(len(results), 1)
-            self.assertEqual(results[0][0], Decimal('55.3'))
-
-        # Aggregate functions that don't exist outside of PostgreSQL.
-        with self.subTest('SELECT with BOOL_OR aggregation'):
-            # Run test query.
-            results = self.connector.records.select(table_name, 'BOOL_OR(test_bool)')
-
-            # Verify return aggregate result.
-            # No records returned True, so should be False.
-            self.assertEqual(len(results), 1)
-            self.assertEqual(results[0][0], False)
-
-            # Upset a single record to be true, and test again.
-            results = self.connector.records.update(table_name, 'test_bool = True', where_clause='WHERE id = 2')
-            results = self.connector.records.select(table_name, 'BOOL_OR(test_bool)')
-
-            # Verify return aggregate result.
-            # At least one record returned True so should be True.
-            self.assertEqual(len(results), 1)
-            self.assertEqual(results[0][0], True)
-
-        with self.subTest('SELECT with BOOL_AND aggregation'):
-            # Run test query.
-            results = self.connector.records.select(table_name, 'BOOL_AND(test_bool)')
-
-            # Verify return aggregate result.
-            # Not all records returned True, so should be False.
-            self.assertEqual(len(results), 1)
-            self.assertEqual(results[0][0], False)
-
-            # Update all records to be true, and test again.
-            self.connector.records.update(table_name, 'test_bool = True', where_clause='')
-            results = self.connector.records.select(table_name, 'BOOL_or(test_bool)')
-
-            # Verify return aggregate result.
-            # All records returned True so should be True.
-            self.assertEqual(len(results), 1)
-            self.assertEqual(results[0][0], True)
-
-            # Reset booleans to be False.
-            self.connector.records.update(table_name, 'test_bool = False', where_clause='')
+    # def test__select__aggregates(self):
+    #     """"""
+    #     table_name = 'test_queries__select__aggregate'
+    #
+    #     # Run parent tests.
+    #     super().test__select__aggregates()
+    #
+    #     # Tests that require slightly different syntax in different database types.
+    #     with self.subTest('SELECT with BIT_OR aggregation'):
+    #         # Run test query.
+    #         results = self.connector.records.select(table_name, 'BIT_OR(test_bool::int)')
+    #
+    #         # Verify return aggregate result.
+    #         # No records returned True, so should be False.
+    #         self.assertEqual(len(results), 1)
+    #         self.assertEqual(results[0][0], False)
+    #
+    #         # Upset a single record to be true, and test again.
+    #         results = self.connector.records.update(table_name, 'test_bool = True', where_clause='WHERE id = 2')
+    #         results = self.connector.records.select(table_name, 'BIT_OR(test_bool::int)')
+    #
+    #         # Verify return aggregate result.
+    #         # At least one record returned True so should be True.
+    #         self.assertEqual(len(results), 1)
+    #         self.assertEqual(results[0][0], True)
+    #
+    #     with self.subTest('SELECT with BIT_AND aggregation'):
+    #         # Run test query.
+    #         results = self.connector.records.select(table_name, 'BIT_AND(test_bool::int)')
+    #
+    #         # Verify return aggregate result.
+    #         # Not all records returned True, so should be False.
+    #         self.assertEqual(len(results), 1)
+    #         self.assertEqual(results[0][0], False)
+    #
+    #         # Update all records to be true, and test again.
+    #         results = self.connector.records.update(table_name, 'test_bool = True', where_clause='')
+    #         results = self.connector.records.select(table_name, 'bit_or(test_bool::int)')
+    #
+    #         # Verify return aggregate result.
+    #         # All records returned True so should be True.
+    #         self.assertEqual(len(results), 1)
+    #         self.assertEqual(results[0][0], True)
+    #
+    #         # Reset booleans to be False.
+    #         self.connector.records.update(table_name, 'test_bool = False', where_clause='')
+    #
+    #     with self.subTest('SELECT with STDDEV aggregation'):
+    #         # Run test query.
+    #         results = self.connector.records.select(table_name, 'STDDEV(test_int)')
+    #
+    #         # Verify return aggregate result.
+    #         self.assertEqual(len(results), 1)
+    #         self.assertEqual(results[0][0], Decimal('7.4363969770312827'))
+    #
+    #     with self.subTest('SELECT with VARIANCE aggregation'):
+    #         # Run test query.
+    #         results = self.connector.records.select(table_name, 'VARIANCE(test_int)')
+    #
+    #         # Verify return aggregate result.
+    #         self.assertEqual(len(results), 1)
+    #         self.assertEqual(results[0][0], Decimal('55.3'))
+    #
+    #     # Aggregate functions that don't exist outside of PostgreSQL.
+    #     with self.subTest('SELECT with BOOL_OR aggregation'):
+    #         # Run test query.
+    #         results = self.connector.records.select(table_name, 'BOOL_OR(test_bool)')
+    #
+    #         # Verify return aggregate result.
+    #         # No records returned True, so should be False.
+    #         self.assertEqual(len(results), 1)
+    #         self.assertEqual(results[0][0], False)
+    #
+    #         # Upset a single record to be true, and test again.
+    #         results = self.connector.records.update(table_name, 'test_bool = True', where_clause='WHERE id = 2')
+    #         results = self.connector.records.select(table_name, 'BOOL_OR(test_bool)')
+    #
+    #         # Verify return aggregate result.
+    #         # At least one record returned True so should be True.
+    #         self.assertEqual(len(results), 1)
+    #         self.assertEqual(results[0][0], True)
+    #
+    #     with self.subTest('SELECT with BOOL_AND aggregation'):
+    #         # Run test query.
+    #         results = self.connector.records.select(table_name, 'BOOL_AND(test_bool)')
+    #
+    #         # Verify return aggregate result.
+    #         # Not all records returned True, so should be False.
+    #         self.assertEqual(len(results), 1)
+    #         self.assertEqual(results[0][0], False)
+    #
+    #         # Update all records to be true, and test again.
+    #         self.connector.records.update(table_name, 'test_bool = True', where_clause='')
+    #         results = self.connector.records.select(table_name, 'BOOL_or(test_bool)')
+    #
+    #         # Verify return aggregate result.
+    #         # All records returned True so should be True.
+    #         self.assertEqual(len(results), 1)
+    #         self.assertEqual(results[0][0], True)
+    #
+    #         # Reset booleans to be False.
+    #         self.connector.records.update(table_name, 'test_bool = False', where_clause='')