sql server updating new column based on another column from same table - sql

I have a table with composite primary key based on three columns.
(Unit, Account, service)
I have another two columns: DOB (this holds date of birth) & Age (this is a new int column which needs to be updated based on DOB and the result will be integer value of years)
I know how to retrieve the reslt for Age
select datediff(Year,DOB,GETDATE()) as AGE
But not sure how to update entire table based on the rows DOB data.
Columns are Unit, Account, Service, DOB, Age

As per the comments, it isn't wise to persist Age as it varies daily (and possibly more frequently, if you have users in different timezones).
Also, your Age vs DOB algorithm isn't accurate - see here for a better one
As a consequence, IMO this is one scenario where a non-persisted COMPUTED column makes sense, like so:
ALTER TABLE Person add Age
AS DateDiff(yy,DOB,CURRENT_TIMESTAMP)
- CASE WHEN DATEPART (mm,DOB) <= DATEPART(mm,CURRENT_TIMESTAMP)
and DATEPART(dd, DOB) <= DATEPART(dd,CURRENT_TIMESTAMP)
THEN 0
ELSE 1
END

To answer your question:
UPDATE dob.MyTable SET Age = datediff(Year,DOB,GETDATE());
This will update the entire table as per your requirements.
However, I strongly recommend you look at all the other answers here. Especially the ones about the calculation error in above formula.

Get rid of the age column and calculate the age like so:
SELECT DATEDIFF(yy, DOB, getdate()) AS age FROM daffyduck
There are very rare cases that you need to store items such as age. Since age changes daily, you will have to update your records often. It is instead better to store a fixed value, such as the date of birth that can be calculated. Most DBMS's provide the functionality for doing the date arithmetic for this reason.

Related

Oracle SQL - future date/employers age problem

I've got a problem with age of employeers.
In one table I have e_date_of_birth, e_employee_number, e_employee_name, and
in a second table w_employee_since.
I have an inquiry that returns employees with valid contracts for a particular day (e.g. 2016/01/01) and shows the current age of the employee on that day.
I need to add an inquiry that shows employees with valid contracts as of a specific date (e.g. 2016/01/01), and also their age of another date (e.g. 2017/01/01) in the same query results.
Without more details about your tables, particularly wherever you have the contracts information, a generic query to find employee age on a given date would look something like this.
SELECT FLOOR(MONTHS_BETWEEN(DATE '2017-01-01', e_date_of_birth)/12) AS age
FROM DUAL;

I need help counting char occurencies in a row with sql (using firebird server)

I have a table where I have these fields:
id(primary key, auto increment)
car registration number
car model
garage id
and 31 fields for each day of the mont for each row.
In these fields I have char of 1 or 2 characters representing car status on that date. I need to make a query to get number of each possibility for that day, field of any day could have values: D, I, R, TA, RZ, BV and LR.
I need to count in each row, amount of each value in that row.
Like how many I , how many D and so on. And this for every row in table.
What best approach would be here? Also maybe there is better way then having field in database table for each day because it makes over 30 fields obviously.
There is a better way. You should structure the data so you have another table, with rows such as:
CarId
Date
Status
Then your query would simply be:
select status, count(*)
from CarStatuses
where date >= #month_start and date < month_end
group by status;
For your data model, this is much harder to deal with. You can do something like this:
select status, count(*)
from ((select status_01 as status
from t
) union all
(select status_02
from t
) union all
. . .
(select status_31
from t
)
) s
group by status;
You seem to have to start with most basic tutorials about relational databases and SQL design. Some classic works like "Martin Gruber - Understanding SQL" may help. Or others. ATM you miss the basics.
Few hints.
Documents that you print for user or receive from user do not represent your internal data structures. They are created/parsed for that very purpose machine-to-human interface. Inside your program should structure the data for easy of storing/processing.
You have to add a "dictionary table" for the statuses.
ID / abbreviation / human-readable description
You may have a "business rule" that from "R" status you can transition to either "D" status or to "BV" status, but not to any other. In other words you better draft the possible status transitions "directed graph". You would keep it in extra columns of that dictionary table or in one more specialized helper table. Dictionary of transitions for the dictionary of possible statuses.
Your paper blank combines in the same row both totals and per-day detailisation. That is easy for human to look upon, but for computer that in a sense violates single responsibility principle. Row should either be responsible for primary record or for derived total calculation. You better have two tables - one for primary day by day records and another for per-month total summing up.
Bonus point would be that when you would change values in the primary data table you may ask server to automatically recalculate the corresponding month totals. Read about SQL triggers.
Also your triggers may check if the new state properly transits from the previous day state, as described in the "business rules". They would also maybe have to check there is not gaps between day. If there is a record for "march 03" and there is inserted a new the record for "march 05" then a record for "march 04" should exists, or the server would prohibit adding such a row. Well, maybe not, that is dependent upon you business processes. The general idea is that server should reject storing any data that is not valid and server can know it.
you per-date and per-month tables should have proper UNIQUE CONSTRAINTs prohibiting entering duplicate rows. It also means the former should have DATE-type column and the latter should either have month and year INTEGER-type columns or have a DATE-type column with the day part in it always being "1" - you would want a CHECK CONSTRAINT for it.
If your company has some registry of cars (and probably it does, it is not looking like those car were driven in by random one-time customers driving by) you have to introduce a dictionary table of cars. Integer ID (PK), registration plate, engine factory number, vagon factory number, colour and whatever else.
The per-month totals table would not have many columns per every status. It would instead have a special row for every status! The structure would probably be like that: Month / Year / ID of car in the registry / ID of status in the dictionary / count. All columns would be integer type (some may be SmallInt or BigInt, but that is minor nuancing). All the columns together (without count column) should constitute a UNIQUE CONSTRAINT or even better a "compound" Primary Key. Adding a special dedicated PK column here in the totaling table seems redundant to me.
Consequently, your per-day and per-month tables would not have literal (textual and immediate) data for status and car id. Instead they would have integer IDs referencing proper records in the corresponding cars dictionary and status dictionary tables. That you would code as FOREIGN KEY.
Remember the rule of thumb: it is easy to add/delete a row to any table but quite hard to add/delete a column.
With design like yours, column-oriented, what would happen if next year the boss would introduce some more statuses? you would have to redesign the table, the program in many points and so on.
With the rows-oriented design you would just have to add one row in the statuses dictionary and maybe few rows to transition rules dictionary, and the rest works without any change.
That way you would not

table design for time-dependent data

I would like to store some time-dependent data on MS SQL Server, for example employee salary history. Attributes include employee number, effective from date, salary, reason of change.
My question is "Should I include the effective to date on the table? " What is the best practice on storing this type of time-dependent data (current effective to = next effective from - 1), i.e. Should I include the value which can be deduce from another record ?
If effective to is to be stored, can I use Trigger to maintain its value?
Michael
What you seem to have is a slowly changing dimension. The best approach is based on how the data wil be used. After all, if you are never going to query the data, I can save you a bunch of time and perhaps money by advising you not to use a database at all.
That said, I would encourage you to have two dates on each row:
EffDate
EndDate
You can then determine the values of any of the values at any given point in history. This makes querying the data easier. But, when loading the table, you need to remember to update the EndDate of the previously active data. That is one extra step on the load.
If you only have EffDate, then the querying is more difficult, although the load is slightly easier. If the only thing you will ever do is choose an employee and look at the records in order, this might be sufficient.
As for the nature of the dates. If the dates are "continuous" (meaning they have a time component), then EndDate for one record should be equal to the EffDate of the next. Querying for a time would use:
where MYDATE >= EffDate and MYDATE < EndDate
If the dates are discrete, then I have the condition that the EndDate is one less than the next EffDate:
where MYDATE >= EffDate and MyDate <= EndDate
You could also use between for this condition (but be careful when using between on anything that looks like a date).
You need to have a child table with history of salaries, its primary key is a combined key (employeeId and a sequence id). This table will be your reference for data history.
ex:
empX, 1, fromDate 10/10/2012, toDate 11/10/2012, 1,980,000$,
empX, 2, .....
empX, 3,....
Your employee table will have the current salary and its effective date. this table will be faster to query from.
..and this employee is a lucky one ;)

Grouping age in database

I have designed my database and all is well. Within the database I have an Age column.
One of the requirements is that Age must be grouped into categories 1-12, 13-17, 18-25, 26-35 etc for easy selection.
I am a bit stumped with how to do this? I have not been asked to actually implement the database, only design the ERD.
I'm not sure if this is enough info for someone to answer, so if you need anything more please just ask.
EDIT:
I have been told that I do not have to allow for changing ages over time.
I think a better solution than adding a new column to the data is simply to define a view on the original table:
create view vw_customer as (
select c.*,
(case when Age between 1 and 12 then '1-12'
when Age between 13 and 17 then '13-17'
when Age between 18 and 25 then '18-25'
when Age between 26-35 then '26-35'
end) as AgeGroup
from c;
Another alternative, if your database supports it, is computed columns. There seems little reason why such derived data should actually be stored with the data, when SQL provides other alternatives.
I would suggest adding another column that is called something along the lines of AgeBracket to minimise information loss.
You could then do one of two things
1) have an update statement (or do it on the insert)...
UPDATE customer
SET AgeBracket = case when Age<=12 then '1-12' when Age<=17 then '13-17' .... end
WHERE AgeBracket IS NULL
-- alternative approach
INSERT INTO Customer(Name,Age,AgeBracket)
VALUES(#Name, #Age, case when #Age<=12 then '1-12' ....end)`
or 2) you could create a lookup table which has the structure MaxAge , AgeBracketLabel and join it where Age<=MaxAge and refer to the label - this is useful if/when it becomes more complex or more information about the brackets is required

sql query to find missing records

I am using a transaction table called Student_Details which contain Batch_No, PF_No, Emp_name,DOB, DOR and DOJ along with other details. There is another master table called Batch_Master which contains Batch_No, From_date, To_date and Due_date.
I want to get the details of staff whose due date is within Enter_date1 and Enter_date2 who actually fall due within this period and such of those staff whose due_date is earlier to Enter_date1 but still not come (i.e there is no record for the same person with a DOJ after due_date.)
Please help in designing a query in MS-Access
You should look specifically at SQL WHERE clause. I think this would be most beneficial for what you are trying to achieve. WHERE is used in these types of conditional statements to say if this is true (or false depending on the situation) then return this.
For example:
SELECT *
FROM <location>
WHERE Due_date > Enter_date1 AND Due_date < Enter_date2.
However I am really confused on this statement:
"such of those staff whose due_date is earlier to Enter_date1 but still not come (i.e there is no record for the same person with a DOJ after due_date"
To me this sounds like you just want to return every less than Enter_date2, but you want to ensure that there is only Unique records return... or so I assume.