Позвольте мне заранее извиниться за простоту этого вопроса (я слышал подкаст Джеффа и его беспокойство о том, что качество вопросов будет «ошеломлено»), но я застрял. Я использую AquaData, чтобы поразить мою базу данных Informix. Есть странные маленькие нюансы между MS SQL и Informix SQL. Во всяком случае, я пытаюсь сделать простое вложенное выражение, и оно меня ненавидит.
select
score,
count(*) students,
count(finished) finished,
count(finished) / count(*)students
-- round((count(finished) / count(*)students),2)
from now_calc
group by score
order by score
Строка с простым выражением деления возвращает процент людей, которые закончили, что именно то, что я хочу ... Мне просто нужен результат, округленный до 2 мест. Закомментированная строка (-) не работает. Я перепробовал все варианты, которые только мог придумать.
* Я НЕ пытаюсь использовать строки 5 и 6 одновременно
Извините, я должен был упомянуть, что now_calc - это временная таблица и что имена полей на самом деле являются "Students" и "Finished". Я назвал их так, потому что я собираюсь выложить эти результаты прямо в Excel, и я хотел, чтобы имена полей дублировались как заголовки столбцов. Итак, я понимаю, что вы говорите, и, основываясь на этом, я заставил это работать, удалив (*) вот так:
select
score,
count(students) students,
count(finished) finished,
round((count(finished) / count(students) * 100),2) perc
from now_calc
group by score
order by score
Я включаю весь запрос - это может иметь больше смысла для всех, кто смотрит на это. С точки зрения обучения важно отметить, что единственная причина, по которой счетчик работает в поле «готово», заключается в том, что оператор Case имеет значения 1 или ноль в зависимости от оценки оператора Case. Если этого утверждения случая не существует, подсчет «завершено» даст те же результаты, что и подсчет «студентов».
--count of cohort members and total count of all students (for reference)
select
cohort_yr,
count (*) id,
(select count (*) id from prog_enr_rec where cohort_yr is not null and prog = 'UNDG' and cohort_yr >=1998) grand
from prog_enr_rec
where cohort_yr is not null
and prog = 'UNDG'
and cohort_yr >=1998
group by cohort_yr
order by cohort_yr;
--cohort members from all years for population
select
id,
cohort_yr,
cl,
enr_date,
prog
from prog_enr_rec
where cohort_yr is not null
and prog = 'UNDG'
and cohort_yr >=1998
order by cohort_yr
into temp pop with no log;
--which in population are still attending (726)
select
pop.id,
'Y' fin
from pop, stu_acad_rec
where pop.id = stu_acad_rec.id
and pop.prog = stu_acad_rec.prog
and sess = 'FA'
and yr = 2008
and reg_hrs > 0
and stu_acad_rec.cl[1,1] <> 'P'
into temp att with no log;
--which in population graduated with either A or B deg (702)
select
pop.id,
'Y' fin
from pop, ed_rec
where pop.id = ed_rec.id
and pop.prog = ed_rec.prog
and ed_rec.sch_id = 10
and (ed_rec.deg_earn[1,1] = 'B'
or (ed_rec.deg_earn[1,1] = 'A'
and pop.id not in (select pop.id
from pop, ed_rec
where pop.id = ed_rec.id
and pop.prog = ed_rec.prog
and ed_rec.deg_earn[1,1] = 'B'
and ed_rec.sch_id = 10)))
into temp grad with no log;
--combine all those that either graduated or are still attending
select * from att
union
select * from grad
into temp all_fin with no log;
--ACT scores for all students in population who have a score (inner join to eliminate null values)
--score > 50 eliminates people who have data entry errors - SAT scores in ACT field
--2270
select
pop.id,
max (exam_rec.score5) score
from pop, exam_rec
where pop.id = exam_rec.id
and ctgry = 'ACT'
and score5 > 0
and score5 < 50
group by pop.id
into temp pop_score with no log;
select
pop.id students,
Case when all_fin.fin = 'Y' then 1 else null end finished,
pop_score.score
from pop, pop_score, outer all_fin
where pop.id = all_fin.id
and pop.id = pop_score.id
into temp now_calc with no log;
select
score,
count(students) students,
count(finished) finished,
round((count(finished) / count(students) * 100),2) perc
from now_calc
group by score
order by score
Спасибо!