sqlsql-serversql-server-2012-express

Add Serial# from initial item listing table to counted item table w/out Serial# in SQL


I am working on a small inventory project and I have two tables that I want to merge a specific way.

Here are my two tables:

Table 1 (Initial Item Listing):

   Scan#      ItemNUmber   Serial#
----------- ----------- ---------------
  374         123458      10
  374         123458      11
  374         123458      30

Table 2 (Counted Product):

   Scan#      ItemNumber   Barcode#
----------- ----------- ---------------
  374         123458      926373700243
  374         123458      926373700267

Here is the code I am using:

SELECT DISTINCT * 
FROM (SELECT * 
      FROM 
        (SELECT ScannedItems.CountTagId, ScannedItems.ItemNumber, ScannedItems.barcode
         FROM ScannedItems 

         UNION ALL 

         SELECT CountId, ItemNumber, SerialNumber 
         FROM FrozenData
        ) Tbls
      GROUP BY ItemNumber, CountTagId, Barcode
      HAVING COUNT(*)<2
     ) Diff

Here is the Output:

   Scan#      ItemNUmber   Serial#
----------- ----------- ---------------
  374         123458      10
  374         123458      11
  374         123458      30
  374         123458      926373700243
  374         123458      926373700267

Here is what I want it to Output (Exclude Serial# 30 because it wasn't counted):


 Scan#      ProductNo     Barcode#       SN#
----------- ----------- --------------- -----
  374         123458      926373700243    10
  374         123458      926373700267    11

I know I am forgetting something. Any assistance or a link to somewhere that can assist is greatly appreciated.


Solution

  • If you want to match the rows by sequential number, then you will need to add that in:

    select si.*, fi.barcode
    from (select si.*,
                 row_number() over (partition by scan, itemnumber order by serial) as seqnum
          from ScannedItems si
         ) si join
         (select fi.*,
                 row_number() over (partition by scan, itemnumber order by barcode) as seqnum
          from FrozenItems fi
         ) fi
         on fi.scan = si.scan and
            fi.itemnumber = si.itemnumber and
            fi.seqnum = si.seqnum;
    

    SQL table represent unordered sets. If the ordering is provided by the third column, this will work for you.