Commit 1bc1c778 authored by Lee Soobeom's avatar Lee Soobeom
Browse files

fileinfo db save

parent 39e4b1fd
...@@ -2,8 +2,8 @@ import axios from "axios"; ...@@ -2,8 +2,8 @@ import axios from "axios";
import baseUrl from "./baseUrl"; import baseUrl from "./baseUrl";
import { PostType } from "../types"; import { PostType } from "../types";
export const posting = async (post: PostType) => { export const createImgAndPost = async (formdata: FormData) => {
const { data } = await axios.post(`${baseUrl}/posts/`, post); const { data } = await axios.post(`${baseUrl}/posts/`, formdata);
return data; return data;
}; };
...@@ -12,6 +12,11 @@ export const getData = async () => { ...@@ -12,6 +12,11 @@ export const getData = async () => {
return data; return data;
}; };
export const getImgData = async (name: string) => {
const { data } = await axios.get(`/images/${name}`);
return data;
};
export const addCounts = async (_id: string, counts: number) => { export const addCounts = async (_id: string, counts: number) => {
const { data } = await axios.post(`${baseUrl}/posts/${_id}`, { const { data } = await axios.post(`${baseUrl}/posts/${_id}`, {
counts: counts + 1, counts: counts + 1,
...@@ -33,8 +38,3 @@ export const updating = async (post: PostType) => { ...@@ -33,8 +38,3 @@ export const updating = async (post: PostType) => {
const { data } = await axios.put(`${baseUrl}/posts/${post._id}`, post); const { data } = await axios.put(`${baseUrl}/posts/${post._id}`, post);
return data; return data;
}; };
export const postImg = async (formdata: FormData) => {
const { data } = await axios.post(`${baseUrl}/posts`, formdata);
return data;
};
...@@ -8,8 +8,8 @@ import { postApi } from "../apis"; ...@@ -8,8 +8,8 @@ import { postApi } from "../apis";
import { PostState } from "./intopost"; import { PostState } from "./intopost";
export function EditPost() { export function EditPost() {
const [city, setCity] = useState<string>("질문종류"); const [city, setCity] = useState<string>("city");
const [theme, setTheme] = useState<string>("질문종류"); const [theme, setTheme] = useState<string>("theme");
const [title, setTitle] = useState<string>(""); const [title, setTitle] = useState<string>("");
const [text, setText] = useState<string>(""); const [text, setText] = useState<string>("");
const navigate = useNavigate(); const navigate = useNavigate();
...@@ -65,10 +65,10 @@ export function EditPost() { ...@@ -65,10 +65,10 @@ export function EditPost() {
setError("내용을 입력해 주세요."); setError("내용을 입력해 주세요.");
return false; return false;
} else if (equals(city, "city")) { } else if (equals(city, "city")) {
setError("테마를 선택해 주세요."); setError("도시를 선택해 주세요.");
return false; return false;
} else if (equals(theme, "theme")) { } else if (equals(theme, "theme")) {
setError("도시를 선택해 주세요."); setError("테마를 선택해 주세요.");
return false; return false;
} else { } else {
return true; return true;
......
...@@ -59,6 +59,7 @@ export function IntoPost() { ...@@ -59,6 +59,7 @@ export function IntoPost() {
</div> </div>
</div> </div>
</div> </div>
<div className="border-2 border-sky-300 rounded h-48">files</div>
<div className="border-2 border-sky-300 rounded h-96">{post.text}</div> <div className="border-2 border-sky-300 rounded h-96">{post.text}</div>
</div> </div>
</div> </div>
......
...@@ -12,7 +12,7 @@ export default function Posting() { ...@@ -12,7 +12,7 @@ export default function Posting() {
const [theme, setTheme] = useState<string>("theme"); const [theme, setTheme] = useState<string>("theme");
const [title, setTitle] = useState<string>(""); const [title, setTitle] = useState<string>("");
const [text, setText] = useState<string>(""); const [text, setText] = useState<string>("");
const [file, setFile] = useState<File>(); const [file, setFile] = useState<FileList>();
const [imgSrc, setImgSrc] = useState<string[]>(); const [imgSrc, setImgSrc] = useState<string[]>();
const navigate = useNavigate(); const navigate = useNavigate();
...@@ -32,35 +32,39 @@ export default function Posting() { ...@@ -32,35 +32,39 @@ export default function Posting() {
const [disabled, setDisabled] = useState(false); const [disabled, setDisabled] = useState(false);
const [success, setSuccess] = useState(false); const [success, setSuccess] = useState(false);
useEffect(() => {
console.log("uploaded imgs", imgSrc);
}, [imgSrc]);
const imgArr = new Array(); const imgArr = new Array();
const sendImg2Db = async (filelist: FileList) => { const sendImg2Db = async (filelist: FileList) => {
const formdata = new FormData(); const formdata = new FormData();
formdata.append("title", user.title);
formdata.append("text", user.text);
formdata.append("theme", user.theme);
formdata.append("city", user.city);
if (!(filelist === undefined || filelist === null)) { if (!(filelist === undefined || filelist === null)) {
for (var i = 0; i < filelist.length; i++) { for (var i = 0; i < filelist.length; i++) {
formdata.append(`picture${i}`, filelist?.[i]); formdata.append("picture", filelist?.[i]);
} }
console.log("formdata", formdata); // formdata: post, imgs
await postApi.postImg(formdata); const res = await postApi.createImgAndPost(formdata);
} }
// else {
// const res = await postApi.createImgAndPostTable(formdata);
// }
}; };
async function handlePostSubmit(event: FormEvent) { async function handlePostSubmit(event: FormEvent) {
event.preventDefault(); event.preventDefault();
try { try {
setError(""); setError("");
console.log("user data", user); console.log("user data", user);
if (postingFormMatch()) { if (postingFormMatch(user)) {
setLoading(true); setLoading(true);
// sendImg2Db(); if (file) {
const res = await postApi.posting(user); sendImg2Db(file);
console.log("서버연결됬나요", res); }
// console.log("user save"); // const res = await postApi.posting(user);
// console.log("서버연결됬나요", res);
navigate("/board", { replace: true }); navigate("/board", { replace: true });
setSuccess(true); setSuccess(true);
setError(""); setError("");
...@@ -73,19 +77,19 @@ export default function Posting() { ...@@ -73,19 +77,19 @@ export default function Posting() {
} }
} }
function postingFormMatch() { function postingFormMatch(user: PostType) {
if (!isLength(user.title ?? "", { min: 1 })) { if (!isLength(user.title ?? "", { min: 1 })) {
setError("제목을 입력해 주세요."); setError("제목을 입력해 주세요.");
return false; return false;
} else if (!isLength(user.text ?? "", { min: 1 })) { } else if (!isLength(user.text ?? "", { min: 1 })) {
setError("내용을 입력해 주세요."); setError("내용을 입력해 주세요.");
return false; return false;
} else if (equals(city, "질문종류")) { } else if (equals(city, "city")) {
setError("테마를 선택해 주세요.");
return false;
} else if (equals(theme, "질문종류")) {
setError("도시를 선택해 주세요."); setError("도시를 선택해 주세요.");
return false; return false;
} else if (equals(theme, "theme")) {
setError("테마를 선택해 주세요.");
return false;
} else { } else {
return true; return true;
} }
...@@ -124,10 +128,13 @@ export default function Posting() { ...@@ -124,10 +128,13 @@ export default function Posting() {
}; };
const handleInputPic = async (event: React.ChangeEvent<HTMLInputElement>) => { const handleInputPic = async (event: React.ChangeEvent<HTMLInputElement>) => {
event.preventDefault();
const maxImg = 10; const maxImg = 10;
const { files } = event.target; const { files } = event.target;
if (!(files === null)) {
setFile(files);
}
if (!(files?.length === undefined)) { if (!(files?.length === undefined)) {
if (files?.length <= maxImg) { if (files?.length <= maxImg) {
for (var i = 0; i < files.length; i++) { for (var i = 0; i < files.length; i++) {
...@@ -140,7 +147,7 @@ export default function Posting() { ...@@ -140,7 +147,7 @@ export default function Posting() {
}; };
} }
} else { } else {
alert("사진은 최대 10장까지 업로드 가능합니다!"); alert(`사진은 최대 ${maxImg}장까지 업로드 가능합니다!`);
} }
} }
}; };
......
...@@ -16,7 +16,7 @@ export interface PostType { ...@@ -16,7 +16,7 @@ export interface PostType {
text: string; text: string;
theme: string; theme: string;
city: string; city: string;
date: string | number; date: string;
counts: number; counts: number;
_id: string; _id: string;
user: string; user: string;
......
import formidable from "formidable";
import { asyncWrap } from "../helpers/asyncWrap";
import { TypedRequest } from "../types";
export const uploadFile = asyncWrap(async (reqExp, res, next) => {
const req = reqExp as TypedRequest;
const form = formidable({ multiples: false, uploadDir: "uploads" });
await new Promise((resolve, reject) => {
form.parse(req, (err, fields, files) => {
if (err) {
reject(err);
return;
}
console.log("fields", fields);
console.log("files", files);
req.body = fields;
req.files = files;
resolve(files);
});
});
next();
return;
});
export const uploadFiles = asyncWrap(async (reqExp, res, next) => {
const req = reqExp as TypedRequest;
const form = formidable({ multiples: true, uploadDir: "uploads" });
await new Promise((resolve, reject) => {
form.parse(req, (err, fields, files) => {
if (err) {
reject(err);
return;
}
console.log("fields", fields);
console.log("files", files);
req.body = fields;
req.files = files;
resolve(files);
});
});
next();
return;
});
export * as authCtrl from "./auth.controller"; export * as authCtrl from "./auth.controller";
export * as fileInfoCtrl from "./fileinfo.controller";
export * as mainimgCtrl from "./mainimg.controller";
export * as postCtrl from "./post.controller"; export * as postCtrl from "./post.controller";
export * as roleCtrl from "./role.controller"; export * as roleCtrl from "./role.controller";
export * as userCtrl from "./user.controller"; export * as userCtrl from "./user.controller";
export * as mainimgCtrl from "./mainimg.controller";
\ No newline at end of file
import { NextFunction, Request, Response } from "express"; import { NextFunction, Request, Response } from "express";
import isLength from "validator/lib/isLength"; import formidable, { Fields, Files } from "formidable";
import equals from "validator/lib/equals";
import { TypedRequestAuth } from "./auth.controller"; import { TypedRequestAuth } from "./auth.controller";
import { asyncWrap } from "../helpers"; import { asyncWrap } from "../helpers";
import { postDb, userDb } from "../db"; import { postDb, userDb } from "../db";
import { TypedRequest } from "../types"; import { TypedRequest } from "../types";
export const postCreate = asyncWrap(async (reqExp, res, next) => { export const createImgAndPost = asyncWrap(async (reqExp, res, next) => {
const req = reqExp as TypedRequestAuth<{ userId: string }>; const req = reqExp as TypedRequestAuth<{ userId: string }>;
// const { date, counts } = req.body as {
// date: "";
// counts: 0;
// };
const { title, text, theme, city, date } = req.body as { const { userId } = req.auth;
title: string;
text: string;
theme: string;
city: string;
date: Date;
counts: number;
};
// 1) title 빈 문자열인지 확인 const form = formidable({
if (!isLength(title ?? "", { min: 1 })) { uploadDir: "uploads",
return res.status(422).send("제목을 한 글자 이상 입력해주세요"); keepExtensions: true,
} multiples: true,
});
// 2) body 빈 문자열인지 확인 const fileIdArr = new Array();
if (!isLength(text ?? "", { min: 1 })) {
return res.status(422).send("제목을 한 글자 이상 입력해주세요"); form.parse(req, (err, fields, files) => {
const title = fields.title?.[0];
const text = fields.text?.[0];
const theme = fields.theme?.[0];
const city = fields.city?.[0];
if (Array.isArray(files.picture)) {
for (var i = 0; i < files.picture.length; i++) {
if (!(files.picture?.[i].originalFilename === null)) {
const originalfilename = files.picture?.[i].originalFilename;
const newfilename = files.picture?.[i].newFilename;
const filepath = files.picture?.[i].filepath;
const filesRes = postDb.createFilesRow(
originalfilename,
newfilename,
filepath
);
} }
// 3) theme dropdown default-value "테마"일 경우 에러
if (equals(theme, "질문종류")) {
return res.status(422).send("테마를 입력해 주세요");
} }
} else {
// 4) city dropdown default-value "도시"일 경우 에러 console.log("업로드한 사진이 없습니다.");
if (equals(city, "질문종류")) {
return res.status(422).send("도시를 선택해 주세요");
} }
const userId = req.auth.userId; const postRes = postDb.createPostRow({
const newPost = await postDb.createPost({
title, title,
text, text,
theme, theme,
city, city,
date: Date.now(), date: Date.now(),
counts: 0,
user: userId, user: userId,
}); });
console.log("post", newPost); console.log("createPostRow", postRes);
});
return res.json(newPost);
}); });
export const getAllPost = asyncWrap(async (req, res) => { export const getAllPost = asyncWrap(async (req, res) => {
const posts = await postDb.getPosts(); const posts = await postDb.getPosts();
// console.log(posts); console.log(posts);
return res.json(posts); return res.json(posts);
}); });
......
import { Post, PostType } from "../models"; import { Post, PostType } from "../models";
import { FileInfo, IFileInfo } from "../models";
export const createPost = async (post: PostType) => { export const createPostRow = async (post: PostType) => {
const newPosting = await Post.create({ const newPostRow = await Post.create({
title: post.title, title: post.title,
text: post.text, text: post.text,
theme: post.theme, theme: post.theme,
...@@ -10,7 +11,26 @@ export const createPost = async (post: PostType) => { ...@@ -10,7 +11,26 @@ export const createPost = async (post: PostType) => {
date: post.date, date: post.date,
counts: 0, counts: 0,
}); });
return newPosting; console.log("check", newPostRow);
return newPostRow;
};
export const createFilesRow = async (
originalfilename?: string | null,
newfilename?: string,
picturepath?: string
) => {
const newFileRow = await FileInfo.create({
originalfilename: originalfilename,
newfilename: newfilename,
picturepath: picturepath,
});
return newFileRow;
};
export const findFileByPostInfo = async (title: string, usreId: string) => {
const posts = await Post.find({ title: title, userId: usreId });
return posts;
}; };
export const getPosts = async () => { export const getPosts = async () => {
......
import bcrypt from "bcryptjs"; import bcrypt from "bcryptjs";
import { ObjectId } from "mongoose"; import { ObjectId } from "mongoose";
import { IUser, Role, Post, User, Avatar } from "../models"; import { IUser, Role, Post, User, FileInfo } from "../models";
import fs from "fs"; import fs from "fs/promises";
export const createUser = async (user: IUser) => { export const createUser = async (user: IUser) => {
// 비밀번호 암호화 // 비밀번호 암호화
const hash = await bcrypt.hash(user.password, 10); const hash = await bcrypt.hash(user.password, 10);
const newAvatar = await Avatar.create({}); const newAvatar = await FileInfo.create({});
// 사용자 역할 추가: 기본값은 "user" // 사용자 역할 추가: 기본값은 "user"
let userRole = null; let userRole = null;
if (user.role) { if (user.role) {
...@@ -82,17 +82,17 @@ export const postPicture = async ( ...@@ -82,17 +82,17 @@ export const postPicture = async (
if (!(profile?.avatar === undefined)) { if (!(profile?.avatar === undefined)) {
if (originalfilename === null) { if (originalfilename === null) {
await Avatar.findByIdAndUpdate(profile.avatar._id, { await FileInfo.findByIdAndUpdate(profile.avatar._id, {
nickname: nickname, nickname: nickname,
}); });
} else if (nickname === "") { } else if (nickname === "") {
await Avatar.findByIdAndUpdate(profile.avatar._id, { await FileInfo.findByIdAndUpdate(profile.avatar._id, {
originalfilename: originalfilename, originalfilename: originalfilename,
newfilename: newfilename, newfilename: newfilename,
picturepath: picturepath, picturepath: picturepath,
}); });
} else { } else {
await Avatar.findByIdAndUpdate(profile.avatar._id, { await FileInfo.findByIdAndUpdate(profile.avatar._id, {
originalfilename: originalfilename, originalfilename: originalfilename,
newfilename: newfilename, newfilename: newfilename,
picturepath: picturepath, picturepath: picturepath,
...@@ -102,14 +102,12 @@ export const postPicture = async ( ...@@ -102,14 +102,12 @@ export const postPicture = async (
} }
}; };
export const deleteUser = async (userId: ObjectId) => { export const deleteUser = async (userId: string) => {
const user = await User.findById(userId); const user = await User.findById(userId);
if (!(user?.avatar === undefined)) { if (user && user.avatar) {
const ref = await Avatar.findById(user.avatar._id); const file = await FileInfo.findById(user.avatar._id);
fs.unlink("../travel/uploads/" + ref?.newfilename, (err) => { await fs.unlink("../travel/uploads/" + file?.newfilename);
console.log(err); await FileInfo.deleteOne({ _id: user.avatar._id });
}); return await user.deleteOne();
await Avatar.deleteOne({ _id: user.avatar._id });
await User.deleteOne({ _id: userId });
} }
}; };
import { model, Schema } from "mongoose"; import { model, Schema } from "mongoose";
export interface IAvatar { export interface IFileInfo {
originalfilename?: string; originalfilename?: string;
newfilename?: string; newfilename?: string;
picturepath?: string; picturepath?: string;
nickname?: string; nickname?: string;
} }
const Avatarschema = new Schema<IAvatar>({ const schema = new Schema<IFileInfo>({
originalfilename: { type: String, unique: true }, originalfilename: { type: String },
newfilename: { type: String }, newfilename: { type: String },
nickname: { type: String }, nickname: { type: String },
picturepath: { type: String }, picturepath: { type: String },
}); });
export default model<IAvatar>("Avatar", Avatarschema); export default model<IFileInfo>("FileInfo", schema);
export { default as User, IUser } from "./user.model"; export { default as User, IUser } from "./user.model";
export { default as Post, PostType } from "./post.model"; export { default as Post, PostType } from "./post.model";
export { default as Role } from "./role.model"; export { default as Role } from "./role.model";
export { default as Avatar, IAvatar } from "./fileinfo.model"; export { default as FileInfo, IFileInfo } from "./fileinfo.model";
export { default as Mainimg, MainimgType } from "./mainimg.model"; export { default as Mainimg, MainimgType } from "./mainimg.model";
...@@ -5,9 +5,10 @@ export interface PostType { ...@@ -5,9 +5,10 @@ export interface PostType {
text: string; text: string;
theme: string; theme: string;
city: string; city: string;
user: Types.ObjectId | string;
date: Date | number; date: Date | number;
counts?: number; counts?: number;
user: Types.ObjectId | string;
file?: Types.ObjectId | string;
} }
const PostSchema = new Schema<PostType>({ const PostSchema = new Schema<PostType>({
...@@ -37,6 +38,10 @@ const PostSchema = new Schema<PostType>({ ...@@ -37,6 +38,10 @@ const PostSchema = new Schema<PostType>({
type: Number, type: Number,
default: 0, default: 0,
}, },
file: {
type: Schema.Types.ObjectId,
ref: "FileInfo",
},
}); });
export default model<PostType>("Post", PostSchema); export default model<PostType>("Post", PostSchema);
...@@ -12,6 +12,5 @@ router.use("/auth", authRouter); ...@@ -12,6 +12,5 @@ router.use("/auth", authRouter);
router.use("/posts", postRouter); router.use("/posts", postRouter);
router.use("/profile", profileRouter); router.use("/profile", profileRouter);
router.use("/mainimg", mainimgRouter); router.use("/mainimg", mainimgRouter);
//posting함수 -> mongodb에 posts json형식으로 저장
export default router; export default router;
import express from "express"; import express from "express";
import { postCtrl, authCtrl } from "../controllers"; import { postCtrl, authCtrl, fileInfoCtrl } from "../controllers";
const router = express.Router(); const router = express.Router();
router.route("/").post(authCtrl.requireLogin, postCtrl.postCreate); router.route("/").post(authCtrl.requireLogin, postCtrl.createImgAndPost);
router.route("/").get(postCtrl.getAllPost); router.route("/").get(postCtrl.getAllPost);
router router
......
Markdown is supported
0% or .
You are about to add 0 people to the discussion. Proceed with caution.
Finish editing this message first!
Please register or to comment